How FoundationDB works and why it works

FoundationDB is a very impressive database. Its paper won the best industry paper award in SIGMOD'21. In this post, I will explain, in detail, how FDB works and discuss a few very interesting design choices they made. It's a dense paper packed with neat ideas. Many details (sometimes even proof…

Paxos vs. Quorum-based Consistency

Paxos, is the famous synonym for consistency in the context of distributed system. Unfortunately, consistency alone, is such an overloaded term, it's often practically meaningless. In this post, I will explain the difference between Paxos-consistency vs. quorum-consistency. I assume you know what Paxos is and what problem it solves. If…

Build `folly::coro` with GCC

You have heard about Coroutine in C++, and you want to use it. There're two coroutine implementations that are considered most mature - cppcoro and folly::coro. They are written by the same guy - Lewis Baker. He's brilliant, and you shoud watch his cppcon talk on structured concurrency [https:…

Why you don't need virtual base destructor with smart pointers

struct Foo { // virtual ~Foo() {}; int a; }; struct Bar : public Foo { ~Bar() {std::cout << "bar dtor" << std::endl;}; }; int main() { std::shared_ptr f = std::make_shared(); //Foo* f = new Bar(); return 0; } In this example, the shared_ptr version would work as you expect. The raw pointer version…

How `AUTO_INCREMENT` works on MySQL

You have created tables with AUTO_INCREMENT. Something like CREATE TABLE user ( user_id INT(11) NOT NULL AUTO_INCREMENT, ... ) MySQL manages user_id for you automatically. You get user_id 1, 2, 3, 4, ... But how does it work? InnoDB, one of the most common storage engine MySQL uses,…

SeqLock

Sequential lock is a common technique used to protect data that's frequently read and rarely updated. Writers are required to take exclusive lock to mutate the data. Reads are effectively lock free and optimistic. The data protected by a SeqLock usually needs to be trivially_copy_constructible [https://en.cppreference.…

`folly::Indestructible`

folly::Indestructible [https://github.com/facebook/folly/blob/master/folly/Indestructible.h] is a class template that makes a static variable well, indestructible. Notice that it's meant for static variables in the Meyers Singleton pattern. If it's for heap allocated memory, it would just be called memory leak instead…

C++ Map Lookup Memoization

Memoization is an old technique. It's basically caching outputs for giving inputs (usually in a map). But a map lookup itself is not free. How can we memoize map lookups? I learned from my coworker this nifty trick recently. Let's say we have a map (e.g. std::unordered_map<…