mirror of
https://github.com/memtest86plus/memtest86plus.git
synced 2024-11-30 11:03:48 -06:00
58 lines
1.2 KiB
C
58 lines
1.2 KiB
C
// SPDX-License-Identifier: GPL-2.0
|
|
#ifndef SPINLOCK_H
|
|
#define SPINLOCK_H
|
|
/*
|
|
* Provides a lightweight mutex synchronisation primitive.
|
|
*
|
|
* Copyright (C) 2020 Martin Whitaker.
|
|
*/
|
|
|
|
#include <stdbool.h>
|
|
|
|
/*
|
|
* A mutex object. Use spin_unlock() to initialise prior to first use.
|
|
*/
|
|
typedef volatile bool spinlock_t;
|
|
|
|
/*
|
|
* Spins until the mutex is unlocked.
|
|
*/
|
|
static inline void spin_wait(spinlock_t *lock)
|
|
{
|
|
if (lock) {
|
|
while (*lock) {
|
|
__builtin_ia32_pause();
|
|
for (volatile int i = 0; i < 100; i++) { } // this reduces power consumption
|
|
}
|
|
}
|
|
}
|
|
|
|
/*
|
|
* Spins until the mutex is unlocked, then locks the mutex.
|
|
*/
|
|
static inline void spin_lock(spinlock_t *lock)
|
|
{
|
|
if (lock) {
|
|
while (!__sync_bool_compare_and_swap(lock, false, true)) {
|
|
do {
|
|
__builtin_ia32_pause();
|
|
for (volatile int i = 0; i < 100; i++) { } // this reduces power consumption
|
|
} while (*lock);
|
|
}
|
|
__sync_synchronize();
|
|
}
|
|
}
|
|
|
|
/*
|
|
* Unlocks the mutex.
|
|
*/
|
|
static inline void spin_unlock(spinlock_t *lock)
|
|
{
|
|
if (lock) {
|
|
__sync_synchronize();
|
|
*lock = false;
|
|
}
|
|
}
|
|
|
|
#endif // SPINLOCK_H
|