db started, no answer from server

This commit is contained in:
g2px1 2025-04-20 20:57:13 +03:00
parent 0617277e58
commit 05916c49d0
19 changed files with 736 additions and 119 deletions

5
core/Command.cpp Normal file
View File

@ -0,0 +1,5 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#include "Command.h"

80
core/Command.h Normal file
View File

@ -0,0 +1,80 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef COMMAND_H
#define COMMAND_H
#include <cstdint>
#include <atomic>
#include "utils/hash/Hash128.h"
namespace usub::core
{
enum class OperationType : uint8_t
{
PUT = 0,
DELETE = 1,
FIND = 2
};
struct alignas(64) Command
{
Command()
: ready(0), op(OperationType::PUT), key(), value_size(0), value()
{
}
Command(const Command& other)
: ready(other.ready.load(std::memory_order_relaxed)), // копируем ready явно
op(other.op),
key(other.key),
value_size(other.value_size), value()
{
std::memcpy(value, other.value, other.value_size);
}
Command(Command&& other) noexcept
: ready(other.ready.load(std::memory_order_relaxed)),
op(other.op),
key(other.key),
value_size(other.value_size), value()
{
std::memcpy(value, other.value, other.value_size);
}
Command& operator=(const Command& other)
{
if (this != &other)
{
ready.store(other.ready.load(std::memory_order_relaxed), std::memory_order_relaxed);
op = other.op;
key = other.key;
value_size = other.value_size;
std::memcpy(value, other.value, other.value_size);
}
return *this;
}
Command& operator=(Command&& other) noexcept
{
if (this != &other)
{
ready.store(other.ready.load(std::memory_order_relaxed), std::memory_order_relaxed);
op = other.op;
key = other.key;
value_size = other.value_size;
std::memcpy(value, other.value, other.value_size);
}
return *this;
}
std::atomic<uint8_t> ready;
OperationType op;
utils::Hash128 key;
uint32_t value_size;
char value[1024];
};
}
#endif // COMMAND_H

60
core/DatabaseManager.cpp Normal file
View File

@ -0,0 +1,60 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#include "DatabaseManager.h"
namespace usub::core
{
DatabaseManager::DatabaseManager(const std::string& config_path)
{
auto config = toml::parse_file(config_path);
if (!config.contains("database"))
throw std::runtime_error("No 'database' section found in config");
auto& databases = *config["database"].as_array();
for (auto& db_config : databases)
{
std::string db_name;
if (auto* table = db_config.as_table())
{
if (auto it = table->find("name"); it != table->end() && it->second.is_string())
{
db_name = it->second.value<std::string>().value_or("");
}
else
{
throw std::runtime_error("Database name must be a string");
}
}
else
{
throw std::runtime_error("Database entry must be a table");
}
auto udb = std::make_unique<UDB>(db_name, "shm_" + db_name);
databases_.push_back(DatabaseInstance{std::move(udb), {}});
}
}
void DatabaseManager::run_all()
{
for (auto& db : databases_)
{
db.worker = std::thread([&db]()
{
db.udb->run();
});
}
for (auto& db : databases_)
{
if (db.worker.joinable())
db.worker.join();
}
}
} // core
// usub

36
core/DatabaseManager.h Normal file
View File

@ -0,0 +1,36 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef DATABASEMANAGER_H
#define DATABASEMANAGER_H
#include "UDB.h"
#include "utils/toml/toml.hpp"
#include <vector>
#include <thread>
#include <memory>
#include <string>
namespace usub::core
{
class DatabaseManager
{
public:
explicit DatabaseManager(const std::string& config_path);
void run_all();
private:
struct DatabaseInstance
{
std::unique_ptr<UDB> udb;
std::thread worker;
};
std::vector<DatabaseInstance> databases_;
};
} // core
// usub
#endif //DATABASEMANAGER_H

View File

@ -9,14 +9,17 @@
#include <optional>
#include <mutex>
#include "utils/io/Wal.h"
#include "utils/io/VersionManager.h"
namespace usub::shared_storage
{
using namespace usub::utils;
template <typename SkipList>
class MemTableManager
{
public:
MemTableManager(const std::string& wal_file, size_t max_size);
MemTableManager(const std::string& wal_file, size_t max_size, utils::VersionManager& vm);
~MemTableManager();
@ -37,6 +40,7 @@ namespace usub::shared_storage
std::mutex batch_mutex;
std::vector<std::pair<typename SkipList::key_type, typename SkipList::value_type>> write_batch;
std::atomic<bool> flushing{false};
utils::VersionManager& version_manager;
private:
size_t estimate_memtable_size() const;
@ -45,10 +49,10 @@ namespace usub::shared_storage
};
template <typename SkipList>
MemTableManager<SkipList>::MemTableManager(const std::string& wal_file, size_t max_size) : wal(wal_file),
max_memtable_size(max_size)
MemTableManager<SkipList>::MemTableManager(const std::string& wal_file, size_t max_size, utils::VersionManager& vm)
: wal(wal_file), max_memtable_size(max_size), version_manager(vm)
{
this->active_memtable.store(new SkipList());
this->active_memtable.store(new SkipList(this->version_manager));
}
template <typename SkipList>
@ -93,9 +97,9 @@ namespace usub::shared_storage
{
if (this->flushing.exchange(true)) return;
auto old_memtable = this->active_memtable.exchange(new SkipList());
auto old_memtable = this->active_memtable.exchange(new SkipList(this->version_manager));
std::string filename = "sstable_" + std::to_string(std::time(nullptr)) + ".dat";
write_sstable_v2(*old_memtable, filename);
write_sstable_with_index(*old_memtable, filename);
delete old_memtable;
this->wal.close();
this->flushing.store(false);

View File

@ -0,0 +1,29 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#include "SharedCommandQueue.h"
namespace usub::core
{
SharedCommandQueue::SharedCommandQueue()
: SharedCommandQueue(1024)
{
}
SharedCommandQueue::SharedCommandQueue(size_t cap)
: capacity(cap),
queue(std::make_unique<utils::LockFreeRingBuffer<Command>>(cap))
{
}
bool SharedCommandQueue::try_push(const Command& cmd) const
{
return this->queue->push(cmd);
}
std::optional<Command> SharedCommandQueue::try_pop() const
{
return this->queue->pop();
}
}

33
core/SharedCommandQueue.h Normal file
View File

@ -0,0 +1,33 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef SHAREDCOMMANDQUEUE_H
#define SHAREDCOMMANDQUEUE_H
#include "Command.h"
#include "utils/datastructures/LFCircullarBuffer.h"
#include <atomic>
#include <cstdint>
namespace usub::core
{
constexpr size_t SHM_QUEUE_CAPACITY = 1024;
struct SharedCommandQueue
{
SharedCommandQueue();
explicit SharedCommandQueue(size_t cap);
bool try_push(const Command& cmd) const;
std::optional<Command> try_pop() const;
size_t capacity;
std::unique_ptr<utils::LockFreeRingBuffer<Command>> queue;
};
}
#endif //SHAREDCOMMANDQUEUE_H

View File

@ -4,6 +4,8 @@
#include "SharedMemoryManager.h"
#include <iostream>
namespace usub::core
{
SharedMemoryManager::SharedMemoryManager(const std::string& name, size_t size, bool create_new) :
@ -84,6 +86,8 @@ namespace usub::core
if (this->shm_fd == -1)
{
throw std::runtime_error("Failed to open shared memory: " + this->shm_name);
} else {
std::cout << "[shm_open] name: " << this->shm_name << ", fd: " << this->shm_fd << '\n';
}
this->shm_ptr = ::mmap(nullptr, shm_size, PROT_READ | PROT_WRITE, MAP_SHARED, this->shm_fd, 0);
if (this->shm_ptr == MAP_FAILED)

119
core/UDB.cpp Normal file
View File

@ -0,0 +1,119 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#include "UDB.h"
namespace usub::core
{
UDB::UDB(const std::string& db_name, const std::string& shm_name,
size_t shm_queue_capacity, size_t max_memtable_size, bool create_new)
: db_name_(db_name),
shm_name_(shm_name),
shm_queue_capacity_(shm_queue_capacity),
max_memtable_size_(max_memtable_size),
shm_manager_(shm_name, sizeof(SharedCommandQueue), create_new),
version_manager_(db_name),
memtable_manager_(db_name + "_wal", max_memtable_size, this->version_manager_),
compactor_(this->version_manager_),
running_(true)
{
::shm_unlink(("/" + shm_name).c_str());
new(this->shm_manager_.base_ptr()) SharedCommandQueue(this->shm_queue_capacity_);
this->command_queue_ = reinterpret_cast<SharedCommandQueue*>(this->shm_manager_.base_ptr());
recover_from_logs();
this->background_flush_thread_ = std::thread(&UDB::background_flush_worker, this);
compactor_.run();
}
UDB::~UDB()
{
running_ = false;
if (this->background_flush_thread_.joinable())
this->background_flush_thread_.join();
}
void UDB::recover_from_logs()
{
utils::RecoveryLog recovery_log(db_name_);
recovery_log.replay([this](const utils::Hash128& key, const std::string& value, bool is_tombstone)
{
if (!is_tombstone)
{
this->fast_cache_[key] = value;
this->memtable_manager_.put(key, value);
}
else
{
this->fast_cache_.erase(key);
this->memtable_manager_.remove(key);
}
});
std::cout << "[UDB] Recovery complete for database: " << this->db_name_ << "\n";
}
void UDB::run()
{
std::cout << "[UDB] Server for DB '" << this->db_name_ << "' started.\n";
while (this->running_)
{
auto opt_cmd = this->command_queue_->try_pop();
if (!opt_cmd)
{
std::this_thread::sleep_for(std::chrono::milliseconds(1));
continue;
}
process_command(*opt_cmd);
}
}
void UDB::process_command(const Command& cmd)
{
switch (cmd.op)
{
case OperationType::PUT:
{
std::string value(cmd.value, cmd.value_size);
this->fast_cache_[cmd.key] = value;
this->memtable_manager_.put(cmd.key, value);
break;
}
case OperationType::DELETE:
{
fast_cache_.erase(cmd.key);
memtable_manager_.remove(cmd.key);
break;
}
case OperationType::FIND:
{
auto it = fast_cache_.find(cmd.key);
if (it != fast_cache_.end())
std::cout << "[FIND] " << usub::utils::to_string(cmd.key) << " => " << it->second << "\n";
else
std::cout << "[FIND] " << usub::utils::to_string(cmd.key) << " not found\n";
break;
}
default:
std::cout << "[UNKNOWN COMMAND]\n";
break;
}
}
void UDB::background_flush_worker()
{
while (running_)
{
memtable_manager_.flush_batch();
std::this_thread::sleep_for(std::chrono::milliseconds(10));
}
}
}

68
core/UDB.h Normal file
View File

@ -0,0 +1,68 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef UDB_H
#define UDB_H
#include <string>
#include <unordered_map>
#include <atomic>
#include <thread>
#include <memory>
#include "Memtable.h"
#include "utils/datastructures/LFCircullarBuffer.h"
#include "core/SharedMemoryManager.h"
#include "core/SharedCommandQueue.h"
#include "core/Command.h"
#include "utils/hash/Hash128.h"
#include "utils/datastructures/LFSkipList.h"
#include "utils/string/basic_utils.h"
#include "utils/io/VersionManager.h"
#include "utils/io/Wal.h"
#include "utils/io/SSTableIO.h"
#include "Memtable.h"
#include "utils/io/RecoveryLog.h"
#include "utils/io/Compactor.h"
namespace usub::core
{
class UDB
{
public:
UDB(const std::string& db_name, const std::string& shm_name, size_t shm_queue_capacity = 1024,
size_t max_memtable_size = 1024 * 1024, bool create_new = true);
~UDB();
void run();
private:
void process_command(const usub::core::Command& cmd);
void background_flush_worker();
void recover_from_logs();
private:
std::string db_name_;
std::string shm_name_;
size_t shm_queue_capacity_;
size_t max_memtable_size_;
SharedMemoryManager shm_manager_;
SharedCommandQueue* command_queue_;
utils::VersionManager version_manager_;
shared_storage::MemTableManager<utils::LFSkipList<utils::Hash128, std::string>> memtable_manager_;
utils::Compactor compactor_;
std::unordered_map<utils::Hash128, std::string> fast_cache_;
std::atomic<bool> running_;
std::thread background_flush_thread_;
};
}
#endif // UDB_H

74
server.cpp Normal file
View File

@ -0,0 +1,74 @@
#include "core/SharedMemoryManager.h"
#include "core/SharedCommandQueue.h"
#include "core/Command.h"
#include "utils/hash/Hash128.h"
#include "utils/string/basic_utils.h"
#include <unordered_map>
#include <iostream>
#include <thread>
#include <optional>
using namespace usub::core;
using namespace usub::utils;
int main()
{
::shm_unlink("/shm_command_queue");
try
{
SharedMemoryManager shm("shm_command_queue", sizeof(SharedCommandQueue));
auto* cmd_queue = new(shm.base_ptr()) SharedCommandQueue(1024);
std::unordered_map<Hash128, std::string> database;
std::cout << "Server started. Listening for commands...\n";
while (true)
{
std::optional<Command> opt_cmd = cmd_queue->try_pop();
if (!opt_cmd)
{
std::this_thread::sleep_for(std::chrono::milliseconds(1));
continue;
}
Command& cmd = *opt_cmd;
switch (cmd.op)
{
case OperationType::PUT:
{
std::string value(cmd.value, cmd.value_size);
database[cmd.key] = value;
std::cout << "[PUT] key = " << to_string(cmd.key) << ", value = " << value << "\n";
break;
}
case OperationType::DELETE:
{
database.erase(cmd.key);
std::cout << "[DELETE] key = " << to_string(cmd.key) << "\n";
break;
}
case OperationType::FIND:
{
auto it = database.find(cmd.key);
if (it != database.end())
std::cout << "[FIND] key = " << to_string(cmd.key) << " => " << it->second << "\n";
else
std::cout << "[FIND] key = " << to_string(cmd.key) << " not found\n";
break;
}
default:
std::cout << "[UNKNOWN COMMAND]\n";
break;
}
}
}
catch (const std::exception& ex)
{
std::cerr << "Server exception: " << ex.what() << std::endl;
return 1;
}
}

View File

@ -46,27 +46,31 @@ namespace usub::utils
void reset() { this->count = 0; }
};
template <typename T, size_t Capacity = 32>
template <typename T>
class LockFreeRingBuffer
{
static_assert((Capacity & (Capacity - 1)) == 0, "Capacity must be a power of 2");
struct alignas(CACHELINE_SIZE) Cell
{
std::atomic<size_t> sequence;
typename std::aligned_storage<sizeof(T), alignof(T)>::type storage;
};
static constexpr size_t MASK = Capacity - 1;
alignas(CACHELINE_SIZE) Cell buffer[Capacity];
size_t capacity;
size_t mask;
Cell* buffer;
alignas(CACHELINE_SIZE) std::atomic<size_t> head{0};
alignas(CACHELINE_SIZE) std::atomic<size_t> tail{0};
public:
LockFreeRingBuffer()
explicit LockFreeRingBuffer(size_t cap = 32)
: capacity(cap), mask(cap - 1), buffer(new Cell[cap])
{
for (size_t i = 0; i < Capacity; ++i)
if ((capacity & (capacity - 1)) != 0)
{
throw std::invalid_argument("Capacity must be a power of 2");
}
for (size_t i = 0; i < capacity; ++i)
{
buffer[i].sequence.store(i, std::memory_order_relaxed);
}
@ -77,16 +81,18 @@ namespace usub::utils
while (pop())
{
}
delete[] buffer;
}
bool push(const T& val)
template <typename U>
bool push(U&& val)
{
ExponentialBackoff backoff;
size_t pos = this->head.load(std::memory_order_relaxed);
while (true)
{
Cell& cell = this->buffer[pos & MASK];
Cell& cell = this->buffer[pos & mask];
prefetch_for_write(&cell);
size_t seq = cell.sequence.load(std::memory_order_acquire);
intptr_t diff = static_cast<intptr_t>(seq) - static_cast<intptr_t>(pos);
@ -95,7 +101,7 @@ namespace usub::utils
{
if (this->head.compare_exchange_strong(pos, pos + 1, std::memory_order_relaxed))
{
new(&cell.storage) T(val);
new(&cell.storage) T(std::forward<U>(val));
cell.sequence.store(pos + 1, std::memory_order_release);
return true;
}
@ -119,7 +125,7 @@ namespace usub::utils
while (true)
{
Cell& cell = this->buffer[pos & MASK];
Cell& cell = this->buffer[pos & mask];
prefetch_for_read(&cell);
size_t seq = cell.sequence.load(std::memory_order_acquire);
intptr_t diff = static_cast<intptr_t>(seq) - static_cast<intptr_t>(pos + 1);
@ -131,7 +137,7 @@ namespace usub::utils
T* ptr = reinterpret_cast<T*>(&cell.storage);
T val = std::move(*ptr);
ptr->~T();
cell.sequence.store(pos + Capacity, std::memory_order_release);
cell.sequence.store(pos + capacity, std::memory_order_release);
return val;
}
}
@ -179,8 +185,10 @@ namespace usub::utils
{
const size_t h = this->head.load(std::memory_order_acquire);
const size_t t = this->tail.load(std::memory_order_acquire);
return (h - t) & MASK;
return (h - t) & mask;
}
[[nodiscard]] size_t get_capacity() const noexcept { return capacity; }
};
}

View File

@ -14,34 +14,6 @@
#include "utils/intrinsincs/optimizations.h"
// #if defined(__x86_64__) || defined(_M_X64) || defined(__i386) || defined(_M_IX86)
// #include <immintrin.h>
// inline void cpu_relax() noexcept { _mm_pause(); }
// inline void prefetch_for_read(const void* ptr) noexcept {
// _mm_prefetch(reinterpret_cast<const char*>(ptr), _MM_HINT_T0);
// }
// #elif defined(__aarch64__)
// inline void cpu_relax() noexcept { asm volatile("yield" ::: "memory"); }
//
// inline void prefetch_for_write(const void* ptr) noexcept
// {
// asm volatile("prfm pstl1strm, [%0]" :: "r"(ptr));
// }
//
// inline void prefetch_for_read(const void* ptr) noexcept
// {
// asm volatile("prfm pldl1keep, [%0]" :: "r"(ptr));
// }
// #else
// inline void cpu_relax() noexcept
// {
// }
//
// inline void prefetch_for_read(const void*) noexcept
// {
// }
// #endif
namespace usub::utils
{
constexpr int MAX_LEVEL = 16;

View File

@ -4,73 +4,119 @@
#include "Compactor.h"
#include <mutex>
namespace usub::utils
{
Compactor::Compactor(VersionManager& vm) : version_manager(vm)
Compactor::Compactor(VersionManager& vm)
: version_manager_(vm), running_(true)
{
this->background_thread = std::thread([this] { this->run(); });
}
Compactor::~Compactor()
{
running_ = false;
if (worker_thread_.joinable())
worker_thread_.join();
}
void Compactor::add_sstable_l0(const std::string& filename)
{
this->level0_files.push_back(filename);
if (this->level0_files.size() >= 4)
{
compact_level0();
}
}
void Compactor::compact_level0()
{
if (this->level0_files.size() < 2) return;
std::string merged_filename = "L1_" + std::to_string(std::time(nullptr)) + ".dat";
LFSkipList<Hash128, std::string> merged(this->version_manager);
for (const auto& file : this->level0_files)
{
read_sstable_with_mmap(merged, file);
}
write_sstable_with_index(merged, merged_filename);
this->level1_files.push_back(merged_filename);
for (const auto& file : this->level0_files)
{
::remove(file.c_str());
}
this->level0_files.clear();
}
void Compactor::compact_level1()
{
if (this->level1_files.size() < 4) return;
std::string merged_filename = "L2_" + std::to_string(std::time(nullptr)) + ".dat";
LFSkipList<Hash128, std::string> merged(this->version_manager);
for (const auto& file : this->level1_files)
{
read_sstable_with_mmap(merged, file);
}
write_sstable_with_index(merged, merged_filename);
this->level2_files.push_back(merged_filename);
for (const auto& file : this->level1_files)
{
::remove(file.c_str());
}
this->level1_files.clear();
l0_queue_.push(filename);
}
void Compactor::run()
{
while (this->running.load())
worker_thread_ = std::thread(&Compactor::background_worker, this);
}
void Compactor::background_worker()
{
while (running_)
{
compact_level0();
std::this_thread::sleep_for(std::chrono::seconds(1));
for (size_t i = 0; i < 8; ++i)
{
auto file = l0_queue_.pop();
if (file)
{
std::lock_guard<std::mutex> lock(levels_mutex_);
level0_files_.push_back(*file);
level0_size_.fetch_add(1, std::memory_order_relaxed); // увеличиваем счётчик
}
else
{
break;
}
}
if (level0_size_.load(std::memory_order_relaxed) >= 4)
{
std::lock_guard<std::mutex> lock(levels_mutex_);
compact_level(level0_files_, level1_files_, 0);
}
if (level1_size_.load(std::memory_order_relaxed) >= 4)
{
std::lock_guard<std::mutex> lock(levels_mutex_);
compact_level(level1_files_, level2_files_, 1);
}
std::this_thread::sleep_for(std::chrono::milliseconds(50));
}
}
void Compactor::compact_level(std::vector<std::string>& source_files,
std::vector<std::string>& dest_files, int level)
{
if (source_files.empty())
return;
size_t batch_size = std::min<size_t>(4, source_files.size());
std::vector<std::string> batch(source_files.begin(), source_files.begin() + batch_size);
std::vector<LFSkipList<Hash128, std::string>> loaded;
loaded.reserve(batch_size);
for (const auto& file : batch)
{
VersionManager dummy_vm("dummy");
LFSkipList<Hash128, std::string> table(dummy_vm);
read_sstable_with_mmap(table, file);
loaded.push_back(std::move(table));
std::filesystem::remove(file);
}
LFSkipList<Hash128, std::string> merged(version_manager_);
for (auto& table : loaded)
{
table.for_each_raw([&](const auto& key, const auto& value, bool is_tombstone, uint64_t version)
{
if (!is_tombstone)
merged.insert(key, value);
else
merged.erase(key);
});
}
std::string new_filename = "sstable_l" + std::to_string(level + 1) + "_" +
std::to_string(version_manager_.next_version()) + ".dat";
write_sstable_with_index(merged, new_filename);
dest_files.push_back(new_filename);
source_files.erase(source_files.begin(), source_files.begin() + batch_size);
if (level == 0)
{
level0_size_.fetch_sub(batch_size, std::memory_order_relaxed);
level1_size_.fetch_add(1, std::memory_order_relaxed);
}
else if (level == 1)
{
level1_size_.fetch_sub(batch_size, std::memory_order_relaxed);
level2_size_.fetch_add(1, std::memory_order_relaxed);
}
}
} // utils

View File

@ -9,6 +9,7 @@
#include <vector>
#include <string>
#include "utils/datastructures/LFSkipList.h"
#include "utils/datastructures/LFCircullarBuffer.h"
#include "utils/io/SSTableIO.h"
#include "utils/hash/Hash128.h"
@ -18,25 +19,28 @@ namespace usub::utils
{
public:
explicit Compactor(VersionManager& vm);
~Compactor();
void add_sstable_l0(const std::string& filename);
void run();
private:
void compact_level0();
void compact_level1();
void background_worker();
void compact_level(std::vector<std::string>& source_files, std::vector<std::string>& dest_files, int level);
private:
std::vector<std::string> level0_files;
std::vector<std::string> level1_files;
std::vector<std::string> level2_files;
std::atomic<bool> running{true};
std::thread background_thread;
VersionManager& version_manager;
}; // utils
VersionManager& version_manager_;
std::atomic<bool> running_;
std::thread worker_thread_;
LockFreeRingBuffer<std::string> l0_queue_{1024};
std::vector<std::string> level0_files_;
std::vector<std::string> level1_files_;
std::vector<std::string> level2_files_;
std::atomic<size_t> level0_size_{0};
std::atomic<size_t> level1_size_{0};
std::atomic<size_t> level2_size_{0};
std::mutex levels_mutex_;
};
} // usub

View File

@ -51,7 +51,7 @@ namespace usub::utils
this->log_out.flush();
}
void RecoveryLog::ensure_metadata_dir()
void RecoveryLog::ensure_metadata_dir() const
{
try
{
@ -65,5 +65,41 @@ namespace usub::utils
std::cerr << "Failed to create metadata dir: " << e.what() << std::endl;
}
}
void RecoveryLog::replay(
const std::function<void(const Hash128& key, const std::string& value, bool is_tombstone)>& callback) const
{
std::ifstream in(log_file, std::ios::binary);
if (!in.is_open())
return;
while (in.peek() != EOF)
{
uint8_t op;
in.read(reinterpret_cast<char*>(&op), sizeof(op));
Hash128 key;
in.read(reinterpret_cast<char*>(&key), sizeof(key));
if (op == 0) // PUT
{
uint32_t value_size;
in.read(reinterpret_cast<char*>(&value_size), sizeof(value_size));
std::string value(value_size, '\0');
in.read(&value[0], value_size);
callback(key, value, false);
}
else if (op == 1) // DELETE
{
callback(key, "", true);
}
else
{
throw std::runtime_error("Invalid RecoveryLog format");
}
}
}
} // utils
// usub

View File

@ -8,6 +8,8 @@
#include <fstream>
#include <iostream>
#include <string>
#include <functional>
#include "utils/hash/Hash128.h"
namespace usub::utils
{
@ -22,8 +24,10 @@ namespace usub::utils
void log_delete(const std::string& key);
void replay(const std::function<void(const Hash128& key, const std::string& value, bool is_tombstone)>& callback) const;
private:
void ensure_metadata_dir();
void ensure_metadata_dir() const;
private:
std::string db_name;

View File

@ -2,8 +2,8 @@
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef MEMTABLE_H
#define MEMTABLE_H
#ifndef SSTABLE_IO
#define SSTABLE_IO
#include <fstream>
#include <fcntl.h>
@ -453,4 +453,4 @@ namespace usub::utils
}
}
#endif //MEMTABLE_H
#endif //SSTABLE_IO

View File

@ -0,0 +1,35 @@
//
// Created by Kirill Zhukov on 20.04.2025.
//
#ifndef BASIC_UTILS_H
#define BASIC_UTILS_H
#include <sstream>
#include <iomanip>
namespace usub::utils
{
inline std::string to_string(const usub::utils::Hash128& hash)
{
std::ostringstream oss;
oss << std::hex << std::setfill('0')
<< std::setw(16) << hash.high
<< std::setw(16) << hash.low;
return oss.str();
}
}
namespace std
{
template <>
struct hash<usub::utils::Hash128>
{
size_t operator()(const usub::utils::Hash128& h) const noexcept
{
return static_cast<size_t>(h.high ^ h.low);
}
};
}
#endif //BASIC_UTILS_H