Biblioteca atómica C ++ - intercambio
Descripción
Reemplaza automáticamente el valor del objeto atómico con un argumento no atómico y devuelve el valor anterior del atómico.
Declaración
A continuación se muestra la declaración de std :: atomic_exchange.
template< class T >
T atomic_exchange( std::atomic<T>* obj, T desr );
C ++ 11
template< class T >
T atomic_exchange( volatile std::atomic<T>* obj, T desr );
Parámetros
obj - Se utiliza como puntero al objeto atómico a modificar.
desr - Se utiliza para almacenar el valor en el objeto atómico.
order - Se utiliza para sincronizar el orden de la memoria para esta operación.
Valor devuelto
Devuelve el valor que tenía previamente el objeto atómico apuntado por obj.
Excepciones
No-noexcept - esta función miembro nunca arroja excepciones.
Ejemplo
En el siguiente ejemplo para std :: atomic_exchange.
#include <thread>
#include <vector>
#include <iostream>
#include <atomic>
std::atomic<bool> lock(false);
void f(int n) {
for (int cnt = 0; cnt < 100; ++cnt) {
while(std::atomic_exchange_explicit(&lock, true, std::memory_order_acquire))
;
std::cout << "Output from thread " << n << '\n';
std::atomic_store_explicit(&lock, false, std::memory_order_release);
}
}
int main() {
std::vector<std::thread> v;
for (int n = 0; n < 10; ++n) {
v.emplace_back(f, n);
}
for (auto& t : v) {
t.join();
}
}
La salida debería ser así:
Output from thread 0
Output from thread 1
Output from thread 0
Output from thread 1
Output from thread 0
Output from thread 1
Output from thread 0
Output from thread 1
.....................