수색…
통사론
- std :: atomic <T>
- std :: atomic_flag
비고
std::atomic
는 TriviallyCopyable 타입에 대한 원자 접근을 허용하지만, 원자 적 연산을 통해 또는 잠금을 사용하면 구현에 따라 다릅니다. 유일한 보장 된 lock-free 원자 유형은 std::atomic_flag
입니다.
다중 스레드 액세스
원자 유형은 두 스레드간에 공유되는 메모리 위치를 안전하게 읽고 쓸 수 있습니다.
데이터 경쟁을 야기 할 수있는 나쁜 예 :
#include <thread>
#include <iostream>
//function will add all values including and between 'a' and 'b' to 'result'
void add(int a, int b, int * result) {
for (int i = a; i <= b; i++) {
*result += i;
}
}
int main() {
//a primitive data type has no thread safety
int shared = 0;
//create a thread that may run parallel to the 'main' thread
//the thread will run the function 'add' defined above with paramters a = 1, b = 100, result = &shared
//analogous to 'add(1,100, &shared);'
std::thread addingThread(add, 1, 100, &shared);
//attempt to print the value of 'shared' to console
//main will keep repeating this until the addingThread becomes joinable
while (!addingThread.joinable()) {
//this may cause undefined behavior or print a corrupted value
//if the addingThread tries to write to 'shared' while the main thread is reading it
std::cout << shared << std::endl;
}
//rejoin the thread at the end of execution for cleaning purposes
addingThread.join();
return 0;
}
위의 예는 읽기가 손상되어 정의되지 않은 동작이 발생할 수 있습니다.
스레드 안전성이있는 예제 :
#include <atomic>
#include <thread>
#include <iostream>
//function will add all values including and between 'a' and 'b' to 'result'
void add(int a, int b, std::atomic<int> * result) {
for (int i = a; i <= b; i++) {
//atomically add 'i' to result
result->fetch_add(i);
}
}
int main() {
//atomic template used to store non-atomic objects
std::atomic<int> shared = 0;
//create a thread that may run parallel to the 'main' thread
//the thread will run the function 'add' defined above with paramters a = 1, b = 100, result = &shared
//analogous to 'add(1,100, &shared);'
std::thread addingThread(add, 1, 10000, &shared);
//print the value of 'shared' to console
//main will keep repeating this until the addingThread becomes joinable
while (!addingThread.joinable()) {
//safe way to read the value of shared atomically for thread safe read
std::cout << shared.load() << std::endl;
}
//rejoin the thread at the end of execution for cleaning purposes
addingThread.join();
return 0;
}
위 예제는 atomic
데이터 유형의 모든 store()
및 load()
연산이 캡슐화 된 int
를 동시 액세스로부터 보호하기 때문에 안전합니다.
Modified text is an extract of the original Stack Overflow Documentation
아래 라이선스 CC BY-SA 3.0
와 제휴하지 않음 Stack Overflow