您好,登錄后才能下訂單哦!
在 Linux 下,使用 C++ 實現線程同步有多種方法
#include <iostream>
#include <thread>
#include <mutex>
std::mutex mtx; // 全局互斥鎖
void print_block(int n, char c) {
mtx.lock(); // 加鎖
for (int i = 0; i < n; ++i) {
std::cout << c;
}
std::cout << std::endl;
mtx.unlock(); // 解鎖
}
int main() {
std::thread th1(print_block, 50, '*');
std::thread th2(print_block, 50, '$');
th1.join();
th2.join();
return 0;
}
#include <iostream>
#include <thread>
#include <mutex>
#include <condition_variable>
std::mutex mtx;
std::condition_variable cv;
bool ready = false;
void print_block(int n, char c) {
std::unique_lock<std::mutex> lock(mtx); // 加鎖
while (!ready) { // 如果 ready 為 false,則等待
cv.wait(lock); // 釋放鎖并等待條件變量
}
for (int i = 0; i < n; ++i) {
std::cout << c;
}
std::cout << std::endl;
ready = false; // 重置 ready 標志
cv.notify_one(); // 通知等待的線程
}
int main() {
std::thread th1(print_block, 50, '*');
std::thread th2(print_block, 50, '$');
{
std::lock_guard<std::mutex> lock(mtx); // 加鎖
ready = true; // 設置 ready 標志為 true
} // 鎖在此處自動釋放
cv.notify_all(); // 通知所有等待的線程
th1.join();
th2.join();
return 0;
}
#include <iostream>
#include <thread>
#include <atomic>
std::atomic<bool> ready(false);
void print_block(int n, char c) {
for (int i = 0; i < n; ++i) {
while (!ready.load()) { // 如果 ready 為 false,則自旋等待
std::this_thread::yield(); // 讓出 CPU 時間片
}
std::cout << c;
ready.store(false); // 重置 ready 標志
}
std::cout << std::endl;
}
int main() {
std::thread th1(print_block, 50, '*');
std::thread th2(print_block, 50, '$');
ready.store(true); // 設置 ready 標志為 true
th1.join();
th2.join();
return 0;
}
這些示例展示了如何使用 C++ 標準庫中的線程同步原語。在實際應用中,您可能需要根據具體需求選擇合適的同步方法。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。