1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682
|
//===- UnifiedOnDiskCache.cpp -----------------------------------*- C++ -*-===//
//
// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
// See https://llvm.org/LICENSE.txt for license information.
// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
//
//===----------------------------------------------------------------------===//
//
// Encapsulates \p OnDiskGraphDB and \p OnDiskKeyValueDB instances within one
// directory while also restricting storage growth with a scheme of chaining the
// two most recent directories (primary & upstream), where the primary
// "faults-in" data from the upstream one. When the primary (most recent)
// directory exceeds its intended limit a new empty directory becomes the
// primary one.
//
// Within the top-level directory (the path that \p UnifiedOnDiskCache::open
// receives) there are directories named like this:
//
// 'v<version>.<x>'
// 'v<version>.<x+1'
// 'v<version>.<x+2>'
// ...
//
// 'version' is the version integer for this \p UnifiedOnDiskCache's scheme and
// the part after the dot is an increasing integer. The primary directory is the
// one with the highest integer and the upstream one is the directory before it.
// For example, if the sub-directories contained are:
//
// 'v1.5', 'v1.6', 'v1.7', 'v1.8'
//
// Then the primary one is 'v1.8', the upstream one is 'v1.7', and the rest are
// unused directories that can be safely deleted at any time and by any process.
//
// Contained within the top-level directory is a file named "lock" which is used
// for processes to take shared or exclusive locks for the contents of the top
// directory. While a \p UnifiedOnDiskCache is open it keeps a shared lock for
// the top-level directory; when it closes, if the primary sub-directory
// exceeded its limit, it attempts to get an exclusive lock in order to create a
// new empty primary directory; if it can't get the exclusive lock it gives up
// and lets the next \p UnifiedOnDiskCache instance that closes to attempt
// again.
//
// The downside of this scheme is that while \p UnifiedOnDiskCache is open on a
// directory, by any process, the storage size in that directory will keep
// growing unrestricted. But the major benefit is that garbage-collection can be
// triggered on a directory concurrently, at any time and by any process,
// without affecting any active readers/writers in the same process or other
// processes.
//
// The \c UnifiedOnDiskCache also provides validation and recovery on top of the
// underlying on-disk storage. The low-level storage is designed to remain
// coherent across regular process crashes, but may be invalid after power loss
// or similar system failures. \c UnifiedOnDiskCache::validateIfNeeded allows
// validating the contents once per boot and can recover by marking invalid
// data for garbage collection.
//
// The data recovery described above requires exclusive access to the CAS, and
// it is an error to attempt recovery if the CAS is open in any process/thread.
// In order to maximize backwards compatibility with tools that do not perform
// validation before opening the CAS, we do not attempt to get exclusive access
// until recovery is actually performed, meaning as long as the data is valid
// it will not conflict with concurrent use.
//
//===----------------------------------------------------------------------===//
#include "llvm/CAS/UnifiedOnDiskCache.h"
#include "BuiltinCAS.h"
#include "OnDiskCommon.h"
#include "llvm/ADT/STLExtras.h"
#include "llvm/ADT/ScopeExit.h"
#include "llvm/ADT/SmallString.h"
#include "llvm/ADT/SmallVector.h"
#include "llvm/ADT/StringExtras.h"
#include "llvm/ADT/StringRef.h"
#include "llvm/CAS/OnDiskCASLogger.h"
#include "llvm/CAS/OnDiskGraphDB.h"
#include "llvm/CAS/OnDiskKeyValueDB.h"
#include "llvm/Support/Compiler.h"
#include "llvm/Support/Errc.h"
#include "llvm/Support/Error.h"
#include "llvm/Support/FileSystem.h"
#include "llvm/Support/FileUtilities.h"
#include "llvm/Support/MemoryBuffer.h"
#include "llvm/Support/Path.h"
#include "llvm/Support/Program.h"
#include "llvm/Support/raw_ostream.h"
#include <optional>
#if __has_include(<sys/sysctl.h>)
#include <sys/sysctl.h>
#endif
using namespace llvm;
using namespace llvm::cas;
using namespace llvm::cas::ondisk;
/// FIXME: When the version of \p DBDirPrefix is bumped up we need to figure out
/// how to handle the leftover sub-directories of the previous version, within
/// the \p UnifiedOnDiskCache::collectGarbage function.
static constexpr StringLiteral DBDirPrefix = "v1.";
static constexpr StringLiteral ValidationFilename = "v1.validation";
static constexpr StringLiteral CorruptPrefix = "corrupt.";
Expected<ObjectID> UnifiedOnDiskCache::KVPut(ObjectID Key, ObjectID Value) {
return KVPut(PrimaryGraphDB->getDigest(Key), Value);
}
Expected<ObjectID> UnifiedOnDiskCache::KVPut(ArrayRef<uint8_t> Key,
ObjectID Value) {
static_assert(sizeof(Value.getOpaqueData()) == sizeof(uint64_t),
"unexpected return opaque type");
std::array<char, sizeof(uint64_t)> ValBytes;
support::endian::write64le(ValBytes.data(), Value.getOpaqueData());
Expected<ArrayRef<char>> Existing = PrimaryKVDB->put(Key, ValBytes);
if (!Existing)
return Existing.takeError();
assert(Existing->size() == sizeof(uint64_t));
return ObjectID::fromOpaqueData(support::endian::read64le(Existing->data()));
}
Expected<std::optional<ObjectID>>
UnifiedOnDiskCache::KVGet(ArrayRef<uint8_t> Key) {
std::optional<ArrayRef<char>> Value;
if (Error E = PrimaryKVDB->get(Key).moveInto(Value))
return std::move(E);
if (!Value) {
if (UpstreamKVDB)
return faultInFromUpstreamKV(Key);
return std::nullopt;
}
assert(Value->size() == sizeof(uint64_t));
return ObjectID::fromOpaqueData(support::endian::read64le(Value->data()));
}
Expected<std::optional<ObjectID>>
UnifiedOnDiskCache::faultInFromUpstreamKV(ArrayRef<uint8_t> Key) {
assert(UpstreamGraphDB);
assert(UpstreamKVDB);
std::optional<ArrayRef<char>> UpstreamValue;
if (Error E = UpstreamKVDB->get(Key).moveInto(UpstreamValue))
return std::move(E);
if (!UpstreamValue)
return std::nullopt;
// The value is the \p ObjectID in the context of the upstream
// \p OnDiskGraphDB instance. Translate it to the context of the primary
// \p OnDiskGraphDB instance.
assert(UpstreamValue->size() == sizeof(uint64_t));
ObjectID UpstreamID = ObjectID::fromOpaqueData(
support::endian::read64le(UpstreamValue->data()));
auto PrimaryID =
PrimaryGraphDB->getReference(UpstreamGraphDB->getDigest(UpstreamID));
if (LLVM_UNLIKELY(!PrimaryID))
return PrimaryID.takeError();
return KVPut(Key, *PrimaryID);
}
Error UnifiedOnDiskCache::validateActionCache() {
auto ValidateRef = [&](FileOffset Offset, ArrayRef<char> Value) -> Error {
assert(Value.size() == sizeof(uint64_t) && "should be validated already");
auto ID = ObjectID::fromOpaqueData(support::endian::read64le(Value.data()));
auto formatError = [&](Twine Msg) {
return createStringError(
llvm::errc::illegal_byte_sequence,
"bad record at 0x" +
utohexstr((unsigned)Offset.get(), /*LowerCase=*/true) + ": " +
Msg.str());
};
if (ID.getOpaqueData() == 0)
return formatError("zero is not a valid ref");
return Error::success();
};
if (Error E = PrimaryKVDB->validate(ValidateRef))
return E;
if (UpstreamKVDB)
return UpstreamKVDB->validate(ValidateRef);
return Error::success();
}
/// \returns all the 'v<version>.<x>' names of sub-directories, sorted with
/// ascending order of the integer after the dot. Corrupt directories, if
/// included, will come first.
static Error getAllDBDirs(StringRef Path, SmallVectorImpl<std::string> &DBDirs,
bool IncludeCorrupt = false) {
struct DBDir {
uint64_t Order;
std::string Name;
};
SmallVector<DBDir, 6> FoundDBDirs;
std::error_code EC;
for (sys::fs::directory_iterator DirI(Path, EC), DirE; !EC && DirI != DirE;
DirI.increment(EC)) {
if (DirI->type() != sys::fs::file_type::directory_file)
continue;
StringRef SubDir = sys::path::filename(DirI->path());
if (IncludeCorrupt && SubDir.starts_with(CorruptPrefix)) {
FoundDBDirs.push_back({0, std::string(SubDir)});
continue;
}
if (!SubDir.starts_with(DBDirPrefix))
continue;
uint64_t Order;
if (SubDir.substr(DBDirPrefix.size()).getAsInteger(10, Order))
return createStringError(inconvertibleErrorCode(),
"unexpected directory " + DirI->path());
FoundDBDirs.push_back({Order, std::string(SubDir)});
}
if (EC)
return createFileError(Path, EC);
llvm::sort(FoundDBDirs, [](const DBDir &LHS, const DBDir &RHS) -> bool {
return LHS.Order <= RHS.Order;
});
for (DBDir &Dir : FoundDBDirs)
DBDirs.push_back(std::move(Dir.Name));
return Error::success();
}
static Error getAllGarbageDirs(StringRef Path,
SmallVectorImpl<std::string> &DBDirs) {
if (Error E = getAllDBDirs(Path, DBDirs, /*IncludeCorrupt=*/true))
return E;
// FIXME: When the version of \p DBDirPrefix is bumped up we need to figure
// out how to handle the leftover sub-directories of the previous version.
for (unsigned Keep = 2; Keep > 0 && !DBDirs.empty(); --Keep) {
StringRef Back(DBDirs.back());
if (Back.starts_with(CorruptPrefix))
break;
DBDirs.pop_back();
}
return Error::success();
}
/// \returns Given a sub-directory named 'v<version>.<x>', it outputs the
/// 'v<version>.<x+1>' name.
static void getNextDBDirName(StringRef DBDir, llvm::raw_ostream &OS) {
assert(DBDir.starts_with(DBDirPrefix));
uint64_t Count;
bool Failed = DBDir.substr(DBDirPrefix.size()).getAsInteger(10, Count);
assert(!Failed);
(void)Failed;
OS << DBDirPrefix << Count + 1;
}
static Error validateOutOfProcess(StringRef LLVMCasBinary, StringRef RootPath,
bool CheckHash) {
SmallVector<StringRef> Args{LLVMCasBinary, "-cas", RootPath, "-validate"};
if (CheckHash)
Args.push_back("-check-hash");
llvm::SmallString<128> StdErrPath;
int StdErrFD = -1;
if (std::error_code EC = sys::fs::createTemporaryFile(
"llvm-cas-validate-stderr", "txt", StdErrFD, StdErrPath,
llvm::sys::fs::OF_Text))
return createStringError(EC, "failed to create temporary file");
FileRemover OutputRemover(StdErrPath.c_str());
std::optional<llvm::StringRef> Redirects[] = {
{""}, // stdin = /dev/null
{""}, // stdout = /dev/null
StdErrPath.str(),
};
std::string ErrMsg;
int Result =
sys::ExecuteAndWait(LLVMCasBinary, Args, /*Env=*/std::nullopt, Redirects,
/*SecondsToWait=*/120, /*MemoryLimit=*/0, &ErrMsg);
if (Result == -1)
return createStringError("failed to exec " + join(Args, " ") + ": " +
ErrMsg);
if (Result != 0) {
llvm::SmallString<64> Err("cas contents invalid");
if (!ErrMsg.empty()) {
Err += ": ";
Err += ErrMsg;
}
auto StdErrBuf = MemoryBuffer::getFile(StdErrPath.c_str());
if (StdErrBuf && !(*StdErrBuf)->getBuffer().empty()) {
Err += ": ";
Err += (*StdErrBuf)->getBuffer();
}
return createStringError(Err);
}
return Error::success();
}
static Error validateInProcess(StringRef RootPath, StringRef HashName,
unsigned HashByteSize, bool CheckHash) {
std::shared_ptr<UnifiedOnDiskCache> UniDB;
if (Error E = UnifiedOnDiskCache::open(RootPath, std::nullopt, HashName,
HashByteSize)
.moveInto(UniDB))
return E;
auto CAS = builtin::createObjectStoreFromUnifiedOnDiskCache(UniDB);
if (Error E = CAS->validate(CheckHash))
return E;
if (Error E = UniDB->validateActionCache())
return E;
return Error::success();
}
static Expected<uint64_t> getBootTime() {
#if __has_include(<sys/sysctl.h>) && defined(KERN_BOOTTIME)
struct timeval TV;
size_t TVLen = sizeof(TV);
int KernBoot[2] = {CTL_KERN, KERN_BOOTTIME};
if (sysctl(KernBoot, 2, &TV, &TVLen, nullptr, 0) < 0)
return createStringError(llvm::errnoAsErrorCode(),
"failed to get boottime");
if (TVLen != sizeof(TV))
return createStringError("sysctl kern.boottime unexpected format");
return TV.tv_sec;
#elif defined(__linux__)
// Use the mtime for /proc, which is recreated during system boot.
// We could also read /proc/stat and search for 'btime'.
sys::fs::file_status Status;
if (std::error_code EC = sys::fs::status("/proc", Status))
return createFileError("/proc", EC);
return Status.getLastModificationTime().time_since_epoch().count();
#else
llvm::report_fatal_error("unimplemented");
#endif
}
Expected<ValidationResult>
UnifiedOnDiskCache::validateIfNeeded(StringRef RootPath, StringRef HashName,
unsigned HashByteSize, bool CheckHash,
bool AllowRecovery, bool ForceValidation,
std::optional<StringRef> LLVMCasBinary) {
if (std::error_code EC = sys::fs::create_directories(RootPath))
return createFileError(RootPath, EC);
SmallString<256> PathBuf(RootPath);
sys::path::append(PathBuf, ValidationFilename);
int FD = -1;
if (std::error_code EC = sys::fs::openFileForReadWrite(
PathBuf, FD, sys::fs::CD_OpenAlways, sys::fs::OF_None))
return createFileError(PathBuf, EC);
assert(FD != -1);
sys::fs::file_t File = sys::fs::convertFDToNativeFile(FD);
auto CloseFile = make_scope_exit([&]() { sys::fs::closeFile(File); });
if (std::error_code EC = lockFileThreadSafe(FD, /*Exclusive=*/true))
return createFileError(PathBuf, EC);
auto UnlockFD = make_scope_exit([&]() { unlockFileThreadSafe(FD); });
std::shared_ptr<ondisk::OnDiskCASLogger> Logger;
if (Error E =
ondisk::OnDiskCASLogger::openIfEnabled(RootPath).moveInto(Logger))
return std::move(E);
SmallString<8> Bytes;
if (Error E = sys::fs::readNativeFileToEOF(File, Bytes))
return createFileError(PathBuf, std::move(E));
uint64_t ValidationBootTime = 0;
if (!Bytes.empty() &&
StringRef(Bytes).trim().getAsInteger(10, ValidationBootTime))
return createFileError(PathBuf, errc::illegal_byte_sequence,
"expected integer");
static uint64_t BootTime = 0;
if (BootTime == 0)
if (Error E = getBootTime().moveInto(BootTime))
return std::move(E);
bool Recovered = false;
bool Skipped = false;
std::string LogValidationError;
auto Log = llvm::make_scope_exit([&] {
if (!Logger)
return;
Logger->log_UnifiedOnDiskCache_validateIfNeeded(
RootPath, BootTime, ValidationBootTime, CheckHash, AllowRecovery,
ForceValidation, LLVMCasBinary, LogValidationError, Skipped, Recovered);
});
if (ValidationBootTime == BootTime && !ForceValidation) {
Skipped = true;
return ValidationResult::Skipped;
}
// Validate!
bool NeedsRecovery = false;
Error E =
LLVMCasBinary
? validateOutOfProcess(*LLVMCasBinary, RootPath, CheckHash)
: validateInProcess(RootPath, HashName, HashByteSize, CheckHash);
if (E) {
if (Logger)
LogValidationError = toStringWithoutConsuming(E);
if (AllowRecovery) {
consumeError(std::move(E));
NeedsRecovery = true;
} else {
return std::move(E);
}
}
if (NeedsRecovery) {
sys::path::remove_filename(PathBuf);
sys::path::append(PathBuf, "lock");
int LockFD = -1;
if (std::error_code EC = sys::fs::openFileForReadWrite(
PathBuf, LockFD, sys::fs::CD_OpenAlways, sys::fs::OF_None))
return createFileError(PathBuf, EC);
sys::fs::file_t LockFile = sys::fs::convertFDToNativeFile(LockFD);
auto CloseLock = make_scope_exit([&]() { sys::fs::closeFile(LockFile); });
if (std::error_code EC = tryLockFileThreadSafe(LockFD)) {
if (EC == std::errc::no_lock_available)
return createFileError(
PathBuf, EC,
"CAS validation requires exclusive access but CAS was in use");
return createFileError(PathBuf, EC);
}
auto UnlockFD = make_scope_exit([&]() { unlockFileThreadSafe(LockFD); });
SmallVector<std::string, 4> DBDirs;
if (Error E = getAllDBDirs(RootPath, DBDirs))
return std::move(E);
for (StringRef DBDir : DBDirs) {
sys::path::remove_filename(PathBuf);
sys::path::append(PathBuf, DBDir);
std::error_code EC;
int Attempt = 0, MaxAttempts = 100;
SmallString<128> GCPath;
for (; Attempt < MaxAttempts; ++Attempt) {
GCPath.assign(RootPath);
sys::path::append(GCPath, CorruptPrefix + std::to_string(Attempt) +
"." + DBDir);
EC = sys::fs::rename(PathBuf, GCPath);
// Darwin uses ENOTEMPTY. Linux may return either ENOTEMPTY or EEXIST.
if (EC != errc::directory_not_empty && EC != errc::file_exists)
break;
}
if (Attempt == MaxAttempts)
return createStringError(
EC, "rename " + PathBuf +
" failed: too many CAS directories awaiting pruning");
if (EC)
return createStringError(EC, "rename " + PathBuf + " to " + GCPath +
" failed: " + EC.message());
}
Recovered = true;
}
if (ValidationBootTime != BootTime) {
// Fix filename in case we have error to report.
sys::path::remove_filename(PathBuf);
sys::path::append(PathBuf, ValidationFilename);
if (std::error_code EC = sys::fs::resize_file(FD, 0))
return createFileError(PathBuf, EC);
raw_fd_ostream OS(FD, /*shouldClose=*/false);
OS.seek(0); // resize does not reset position
OS << BootTime << '\n';
if (OS.has_error())
return createFileError(PathBuf, OS.error());
}
return NeedsRecovery ? ValidationResult::Recovered
: ValidationResult::Valid;
}
Expected<std::unique_ptr<UnifiedOnDiskCache>>
UnifiedOnDiskCache::open(StringRef RootPath, std::optional<uint64_t> SizeLimit,
StringRef HashName, unsigned HashByteSize,
OnDiskGraphDB::FaultInPolicy FaultInPolicy) {
if (std::error_code EC = sys::fs::create_directories(RootPath))
return createFileError(RootPath, EC);
SmallString<256> PathBuf(RootPath);
sys::path::append(PathBuf, "lock");
int LockFD = -1;
if (std::error_code EC = sys::fs::openFileForReadWrite(
PathBuf, LockFD, sys::fs::CD_OpenAlways, sys::fs::OF_None))
return createFileError(PathBuf, EC);
assert(LockFD != -1);
// Locking the directory using shared lock, which will prevent other processes
// from creating a new chain (essentially while a \p UnifiedOnDiskCache
// instance holds a shared lock the storage for the primary directory will
// grow unrestricted).
if (std::error_code EC = lockFileThreadSafe(LockFD, /*Exclusive=*/false))
return createFileError(PathBuf, EC);
SmallVector<std::string, 4> DBDirs;
if (Error E = getAllDBDirs(RootPath, DBDirs))
return std::move(E);
if (DBDirs.empty())
DBDirs.push_back((Twine(DBDirPrefix) + "1").str());
assert(!DBDirs.empty());
std::shared_ptr<ondisk::OnDiskCASLogger> Logger;
if (Error E =
ondisk::OnDiskCASLogger::openIfEnabled(RootPath).moveInto(Logger))
return std::move(E);
/// If there is only one directory open databases on it. If there are 2 or
/// more directories, get the most recent directories and chain them, with the
/// most recent being the primary one. The remaining directories are unused
/// data than can be garbage-collected.
std::unique_ptr<OnDiskGraphDB> UpstreamGraphDB;
std::unique_ptr<OnDiskKeyValueDB> UpstreamKVDB;
if (DBDirs.size() > 1) {
StringRef UpstreamDir = *(DBDirs.end() - 2);
PathBuf = RootPath;
sys::path::append(PathBuf, UpstreamDir);
if (Error E =
OnDiskGraphDB::open(PathBuf, HashName, HashByteSize,
/*UpstreamDB=*/nullptr, Logger, FaultInPolicy)
.moveInto(UpstreamGraphDB))
return std::move(E);
if (Error E = OnDiskKeyValueDB::open(PathBuf, HashName, HashByteSize,
/*ValueName=*/"objectid",
/*ValueSize=*/sizeof(uint64_t), Logger)
.moveInto(UpstreamKVDB))
return std::move(E);
}
OnDiskGraphDB *UpstreamGraphDBPtr = UpstreamGraphDB.get();
StringRef PrimaryDir = *(DBDirs.end() - 1);
PathBuf = RootPath;
sys::path::append(PathBuf, PrimaryDir);
std::unique_ptr<OnDiskGraphDB> PrimaryGraphDB;
if (Error E =
OnDiskGraphDB::open(PathBuf, HashName, HashByteSize,
std::move(UpstreamGraphDB), Logger, FaultInPolicy)
.moveInto(PrimaryGraphDB))
return std::move(E);
std::unique_ptr<OnDiskKeyValueDB> PrimaryKVDB;
// \p UnifiedOnDiskCache does manual chaining for key-value requests,
// including an extra translation step of the value during fault-in.
if (Error E = OnDiskKeyValueDB::open(PathBuf, HashName, HashByteSize,
/*ValueName=*/"objectid",
/*ValueSize=*/sizeof(uint64_t), Logger)
.moveInto(PrimaryKVDB))
return std::move(E);
auto UniDB = std::unique_ptr<UnifiedOnDiskCache>(new UnifiedOnDiskCache());
UniDB->RootPath = RootPath;
UniDB->SizeLimit = SizeLimit.value_or(0);
UniDB->LockFD = LockFD;
UniDB->NeedsGarbageCollection = DBDirs.size() > 2;
UniDB->PrimaryDBDir = PrimaryDir;
UniDB->UpstreamGraphDB = UpstreamGraphDBPtr;
UniDB->PrimaryGraphDB = std::move(PrimaryGraphDB);
UniDB->UpstreamKVDB = std::move(UpstreamKVDB);
UniDB->PrimaryKVDB = std::move(PrimaryKVDB);
UniDB->Logger = std::move(Logger);
return std::move(UniDB);
}
void UnifiedOnDiskCache::setSizeLimit(std::optional<uint64_t> SizeLimit) {
this->SizeLimit = SizeLimit.value_or(0);
}
uint64_t UnifiedOnDiskCache::getStorageSize() const {
uint64_t TotalSize = getPrimaryStorageSize();
if (UpstreamGraphDB)
TotalSize += UpstreamGraphDB->getStorageSize();
if (UpstreamKVDB)
TotalSize += UpstreamKVDB->getStorageSize();
return TotalSize;
}
uint64_t UnifiedOnDiskCache::getPrimaryStorageSize() const {
return PrimaryGraphDB->getStorageSize() + PrimaryKVDB->getStorageSize();
}
bool UnifiedOnDiskCache::hasExceededSizeLimit() const {
uint64_t CurSizeLimit = SizeLimit;
if (!CurSizeLimit)
return false;
// If the hard limit is beyond 85%, declare above limit and request clean up.
unsigned CurrentPrecent =
std::max(PrimaryGraphDB->getHardStorageLimitUtilization(),
PrimaryKVDB->getHardStorageLimitUtilization());
if (CurrentPrecent > 85)
return true;
// We allow each of the directories in the chain to reach up to half the
// intended size limit. Check whether the primary directory has exceeded half
// the limit or not, in order to decide whether we need to start a new chain.
//
// We could check the size limit against the sum of sizes of both the primary
// and upstream directories but then if the upstream is significantly larger
// than the intended limit, it would trigger a new chain to be created before
// the primary has reached its own limit. Essentially in such situation we
// prefer reclaiming the storage later in order to have more consistent cache
// hits behavior.
return (CurSizeLimit / 2) < getPrimaryStorageSize();
}
Error UnifiedOnDiskCache::close(bool CheckSizeLimit) {
if (LockFD == -1)
return Error::success(); // already closed.
auto _1 = make_scope_exit([&]() {
assert(LockFD >= 0);
sys::fs::file_t LockFile = sys::fs::convertFDToNativeFile(LockFD);
sys::fs::closeFile(LockFile);
LockFD = -1;
});
bool ExceededSizeLimit = CheckSizeLimit ? hasExceededSizeLimit() : false;
PrimaryKVDB.reset();
UpstreamKVDB.reset();
PrimaryGraphDB.reset();
UpstreamGraphDB = nullptr;
if (std::error_code EC = unlockFileThreadSafe(LockFD))
return createFileError(RootPath, EC);
if (!ExceededSizeLimit)
return Error::success();
// The primary directory exceeded its intended size limit. Try to get an
// exclusive lock in order to create a new primary directory for next time
// this \p UnifiedOnDiskCache path is opened.
if (std::error_code EC = tryLockFileThreadSafe(
LockFD, std::chrono::milliseconds(0), /*Exclusive=*/true)) {
if (EC == errc::no_lock_available)
return Error::success(); // couldn't get exclusive lock, give up.
return createFileError(RootPath, EC);
}
auto _2 = make_scope_exit([&]() { unlockFileThreadSafe(LockFD); });
// Managed to get an exclusive lock which means there are no other open
// \p UnifiedOnDiskCache instances for the same path, so we can safely start a
// new primary directory. To start a new primary directory we just have to
// create a new empty directory with the next consecutive index; since this is
// an atomic operation we will leave the top-level directory in a consistent
// state even if the process dies during this code-path.
SmallString<256> PathBuf(RootPath);
raw_svector_ostream OS(PathBuf);
OS << sys::path::get_separator();
getNextDBDirName(PrimaryDBDir, OS);
if (std::error_code EC = sys::fs::create_directory(PathBuf))
return createFileError(PathBuf, EC);
NeedsGarbageCollection = true;
return Error::success();
}
UnifiedOnDiskCache::UnifiedOnDiskCache() = default;
UnifiedOnDiskCache::~UnifiedOnDiskCache() { consumeError(close()); }
Error UnifiedOnDiskCache::collectGarbage(StringRef Path,
ondisk::OnDiskCASLogger *Logger) {
SmallVector<std::string, 4> DBDirs;
if (Error E = getAllGarbageDirs(Path, DBDirs))
return E;
SmallString<256> PathBuf(Path);
for (StringRef UnusedSubDir : DBDirs) {
sys::path::append(PathBuf, UnusedSubDir);
if (Logger)
Logger->log_UnifiedOnDiskCache_collectGarbage(PathBuf);
if (std::error_code EC = sys::fs::remove_directories(PathBuf))
return createFileError(PathBuf, EC);
sys::path::remove_filename(PathBuf);
}
return Error::success();
}
Error UnifiedOnDiskCache::collectGarbage() {
return collectGarbage(RootPath, Logger.get());
}
|