Specialized Spinlock
In this article, I talk about thread-safety and a specific but common case of it. I didn’t cover the thread-safety concepts in detail and I briefly explain the related ones only. This article considers that the reader has some knowledge about thread-safety, operating system concepts and computer architecture.

Protecting the data from race condition is a complex job and there are various solutions. Generic thread-safety mechanisms (mutex, etc) work great but their performance impact on the system may be huge. In some cases, it is possible to develop lock-free algorithms or disable the locks, temporarily. Developing a customized thread-safety solution according to your needs, doesn’t only protect your data from race condition, it saves your system resources, speeding up your operations as well.

We will design a simple firewall that checks if the IP address of the client is allowed to show an example. Multiple threads will be executed and they will use a shared whitelist for this operation. We will keep the whitelist in a database and we won’t query it for every request. It is quite expensive. So, we will cache the data and update it (timely or depending on a trigger) ; a trigger would be better.

CustomContainer is our container for storing the allowed IP addresses. Consider it in a global or class scope and not thread-safe. Threads will share this container and IP address checker functions will only read it.

IsAllowedIP is our thread function. I won’t add exception handling to make the code simple as much as possible in the examples.

1CustomContainer<string> httpServerAccessList;
2
3// Thread function without synchronization
4bool IsAllowedIP(const string& ipAddress) {
5 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
6 return true;
7
8 return false;
9}
and UpdateData is another thread function that is executed by another thread.
1void UpdateData() {
2 httpServerAccessList = GetUpdatedList();
3}
In short, UpdateData function updates the whitelist and IsAllowedIP tries to read it at the same time and the find function of CustomContainer will show undefined behavior because of modification. Now, we will put a mutex and see what happens.
1CustomContainer<string> httpServerAccessList;
2mutex mtx;
3
4bool IsAllowedIP(const string& ipAddress) {
5 // Lock_guard automatically releases the lock on destruction
6 lock_guard<mutex> mutexLock(mtx);
7
8 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
9 return true;
10
11 return false;
12}
13
14void UpdateData() {
15 lock_guard<mutex> mutexLock(mtx);
16 httpServerAccessList = GetUpdatedList();
17}
We solved the race condition problem but the performance will be pretty bad. Only one IsAllowedIP thread can read httpServerAccessList. If we solve this problem in this way, using multi-threading is useless. mtx is our mutual exclusion object in global scope and lock_guard is a mutex wrapper. We create it in a function's local scope. So, its destructor releases the lock automatically when the function ends. Every thread has its own stack. So, it is not shared. mtx is the same but mutexLock is different for all threads. We need an improvement and I would like to start with mutex. Because mutex is not performance efficient. If a thread tries to acquire a mutex and can’t, goes to sleep immediately. So, overhead is huge and this impacts the performance. Also, its performance differs significantly according to the low-level implementations. For example, boost::mutex is better than std::mutex on Windows but std::mutex is better on Linux. So, we could use spinlock. Spinlock is a good alternative for avoiding context switch overhead. It is a loop to keep the thread alive. The operation must be atomic. The thread will run until the context switch occurs on time interrupt. It won’t go to the sleep, immediately. A spinlock in C++.
1// Defined in global scope
2atomic_flag lock = ATOMIC_FLAG_INIT;
3
4// ...
5while(lock.test_and_set(memory_order_acquire));
6// ...
7// Critical code
8// ...
9lock.clear(memory_order_release);
10// ...
As it seems, there is a while loop and an atomic operation. It atomically tests and sets the state of lock. The compiler will generate atomic CPU instructions. All CPU instructions are not atomic and today’s modern CPUs have microcodes. Even the INC instruction is not atomic. Because CPU reads the value, increases it and stores. XCHG instruction is atomic and used for implementing spinlock in low level. Thanks to atomic instructions, we are also able to implement lock-free algorithms in software level. But there is actually some locking mechanism on the hardware. LOCK prefix is used for atomic operations and it is redundant for XCHG. LOCK puts a memory barrier for synchronization. But it is not like putting a mutex and the overhead differs according to the architecture. It is pretty efficient hardware operation but, of course, you shouldn’t use it in everywhere. Now let’s continue,
1CustomContainer<string> httpServerAccessList;
2atomic_flag lock = ATOMIC_FLAG_INIT;
3
4bool IsAllowedIP(const string& ipAddress) {
5 // There is no need to protect a local variable
6 bool result = false;
7
8 // Lock
9 while(lock.test_and_set(memory_order_acquire));
10
11 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
12 result = true;
13
14 // Unlock
15 lock.clear(memory_order_release);
16
17 return result;
18}
19
20void UpdateData() {
21 while(lock.test_and_set(memory_order_acquire));
22
23 httpServerAccessList = GetUpdatedList();
24
25 lock.clear(memory_order_release);
26}
We replaced the mutex with a spinlock but it is like the other code. Only one IsAllowedIP thread will read httpServerAccessList. It is almost the same thing in a different color. In addition to these, mostly, there is no need to use a complex thread-safety locking mechanism in this case. IsAllowedIP threads only read the data. They don’t modify it and UpdateData function is executed, very rarely. If UpdateData doesn’t run, race condition is not a problem. So, we could disable the spinlock, temporarily and we could enable it only when necessary. So, we are changing the code,
1CustomContainer<string> httpServerAccessList;
2atomic_flag lock = ATOMIC_FLAG_INIT;
3bool isEnabled = false;
4
5bool IsAllowedIP(const string& ipAddress) {
6 bool result = false;
7
8 // Lock
9 if(isEnabled)
10 while(lock.test_and_set(memory_order_acquire));
11
12 if (httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
13 result = true;
14
15 // Unlock
16 if(isEnabled)
17 lock.clear(memory_order_release);
18
19 return result;
20}
21
22void UpdateData() {
23 isEnabled = true;
24 while(lock.test_and_set(memory_order_acquire));
25
26 httpServerAccessList = GetUpdatedList();
27
28 isEnabled = false;
29 lock.clear(memory_order_release);
30}
And now, we enable and disable the spinlock mechanism depending on the UpdateData function. But, there is a critical problem in this code. Before mentioning it, I would like to talk about branch penalty. Because branch penalty affects the pipeline performance. So, using conditions (if, while, etc) may decrease the performance. But, all modern CPUs have branch prediction mechanisms and they can eliminate the branch penalties. Our conditions are extremely simple to be predicted. I just want to talk about the critical problem now. We enable and disable the spinlock but context switch may occur when IsAllowedIP is not completed yet. I mean,
1bool IsAllowedIP(const string& ipAddress) {
2 bool result = false;
3
4 // Lock
5 if(isEnabled)
6 while(lock.test_and_set(memory_order_acquire));
7
8 //WE ARE HERE =>
9 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
10 result = true;
11
12 if(isEnabled)
13 lock.clear(memory_order_release);
14
15 return result;
16}
UpdateData function will take the control, modify httpServerAccessList and when IsAllowedIP continues, a problem will occur. So, we must be sure about all IsAllowedIP threads are done. Therefore, we must add a counter to track threads.
1CustomContainer<string> httpServerAccessList;
2atomic_flag lock = ATOMIC_FLAG_INIT;
3bool isEnabled = false;
4atomic<int> runningThreads {0};
5
6bool IsAllowedIP(const string& ipAddress) {
7 bool result = false;
8
9 // Lock
10 if(isEnabled)
11 while(lock.test_and_set(memory_order_acquire));
12
13 runningThreads++;
14
15 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
16 result = true;
17
18 // Unlock
19 if(isEnabled)
20 lock.clear(memory_order_release);
21
22 runningThreads--;
23
24 return result;
25}
26
27void UpdateData() {
28 isEnabled = true;
29 while(runningThreads > 0);
30
31 while(lock.test_and_set(memory_order_acquire));
32
33 httpServerAccessList = GetUpdatedList();
34
35 isEnabled = false;
36 lock.clear(memory_order_release);
37}
runningThreads is an atomic variable and it works in the same manner on the hardware. It is lock-free but all atomic variables may not be lock-free. You can use is_lock_free function to check this. IsAllowedIP threads increase, decrease it and a loop in UpdateData function checks it before acquiring the lock. UpdateData runs, very rarely (maybe in an hour, day, month, etc.). So, we don’t need to do excessive optimizations on it. Additionally, you might think that what if lock was already unlocked and isEnabled is true. It won’t be an issue. Because it just sets the flag. It is safe to call. After all of these, I want to create a custom spinlock class to make the code neater and finish this text. CustomSpinlock.hpp
1#pragma once
2
3#include <atomic>
4
5class CustomSpinlock final {
6 public:
7 CustomSpinlock() = default;
8 ~CustomSpinlock() = default;
9
10 void Lock();
11 void Release();
12
13 void TakeControl();
14 void GiveControl();
15
16 private:
17 bool _isEnabled = false;
18 std::atomic_flag _lock = ATOMIC_FLAG_INIT;
19 std::atomic<int> _runningThreads {0};
CustomSpinlock.cpp
1#include "CustomSpinlock.hpp"
2
3void CustomSpinlock::Lock() {
4 if(_isEnabled)
5 while(_lock.test_and_set(std::memory_order_acquire));
6
7 _runningThreads++;
8}
9
10void CustomSpinlock::Release() {
11 if(_isEnabled)
12 _lock.clear(std::memory_order_release);
13
14 _runningThreads--;
15}
16
17void CustomSpinlock::TakeControl() {
18 _isEnabled = true;
19 while(_runningThreads > 0);
20
21 while(_lock.test_and_set(std::memory_order_acquire));
22}
23
24void CustomSpinlock::GiveControl() {
25 _isEnabled = false;
26 _lock.clear(std::memory_order_release);
27}
Usage:
1CustomContainer<string> httpServerAccessList;
2CustomSpinlock spinlock;
3
4bool IsAllowedIP(const string& ipAddress) {
5 bool result = false;
6
7 spinlock.Lock();
8
9 if(httpServerAccessList.find(ipAddress) != httpServerAccessList.end())
10 result = true;
11
12 spinlock.Release();
13
14 return result;
15}
16
17void UpdateData() {
18 spinlock.TakeControl();
19
20 httpServerAccessList = GetUpdatedList();
21
22 spinlock.GiveControl();
23}