在C++中,靜態(tài)數(shù)組本身并不具有線程安全性。當(dāng)多個(gè)線程同時(shí)訪問和修改靜態(tài)數(shù)組時(shí),可能會導(dǎo)致數(shù)據(jù)競爭(data race)和未定義行為。為了確保線程安全,你需要使用同步機(jī)制來保護(hù)對靜態(tài)數(shù)組的訪問。
以下是一些建議,可以幫助確保在多線程環(huán)境中使用靜態(tài)數(shù)組的安全性:
#include<iostream>
#include<thread>
#include <mutex>
std::mutex mtx; // 全局互斥鎖
static int arr[10];
void thread_function(int index, int value) {
std::unique_lock<std::mutex> lock(mtx); // 獲取互斥鎖
arr[index] = value;
lock.unlock(); // 釋放互斥鎖
}
int main() {
std::thread t1(thread_function, 0, 42);
std::thread t2(thread_function, 1, 13);
t1.join();
t2.join();
return 0;
}
std::atomic
庫。#include<iostream>
#include<thread>
#include<atomic>
static std::atomic<int> arr[10];
void thread_function(int index, int value) {
arr[index].store(value, std::memory_order_relaxed);
}
int main() {
std::thread t1(thread_function, 0, 42);
std::thread t2(thread_function, 1, 13);
t1.join();
t2.join();
return 0;
}
請注意,在使用這些方法時(shí),務(wù)必確保正確地管理互斥鎖和原子操作,以避免死鎖和其他并發(fā)問題。在實(shí)際應(yīng)用中,根據(jù)具體需求選擇合適的同步策略。