在C++中,多線程環境下的數據交換需要特別注意線程安全問題。當多個線程同時訪問和修改共享數據時,可能會導致數據不一致、競態條件等問題。為了解決這些問題,C++提供了一些同步機制和原子操作來確保數據交換的正確性。
#include<iostream>
#include<thread>
#include <mutex>
std::mutex mtx; // 全局互斥鎖
int shared_data = 0; // 共享數據
void thread_function() {
std::unique_lock<std::mutex> lock(mtx); // 獲取互斥鎖
++shared_data; // 修改共享數據
lock.unlock(); // 釋放互斥鎖
}
int main() {
std::thread t1(thread_function);
std::thread t2(thread_function);
t1.join();
t2.join();
std::cout << "Shared data: "<< shared_data<< std::endl;
return 0;
}
#include<iostream>
#include<thread>
#include <mutex>
#include<condition_variable>
std::mutex mtx;
std::condition_variable cv;
bool ready = false; // 共享數據
void print_id() {
std::unique_lock<std::mutex> lck(mtx);
while (!ready) { // 如果共享數據未準備好,則等待
cv.wait(lck);
}
std::cout << "Thread "<< std::this_thread::get_id() << " is ready."<< std::endl;
}
void go() {
std::unique_lock<std::mutex> lck(mtx);
ready = true; // 修改共享數據
cv.notify_all(); // 通知所有等待的線程
}
int main() {
std::thread t1(print_id);
std::thread t2(print_id);
std::thread t3(go);
t1.join();
t2.join();
t3.join();
return 0;
}
#include<iostream>
#include<thread>
#include<atomic>
std::atomic<int> shared_data(0); // 原子整數類型的共享數據
void thread_function() {
++shared_data; // 原子操作,自增1
}
int main() {
std::thread t1(thread_function);
std::thread t2(thread_function);
t1.join();
t2.join();
std::cout << "Shared data: "<< shared_data.load()<< std::endl;
return 0;
}
在實際應用中,根據具體場景選擇合適的同步機制和原子操作來確保多線程環境下的數據交換安全。