在CentOS系统中,C++并发编程可以通过多种方式实现,包括使用POSIX线程(pthreads)、C++11标准库中的线程支持以及其他并发库。以下是一些基本的实现方法:
POSIX线程是UNIX和类UNIX系统(如CentOS)上的一种线程实现。要在C++程序中使用pthreads,你需要包含<pthread.h>头文件,并链接pthread库。
示例代码:
#include <iostream>
#include <pthread.h>
// 线程函数
void* thread_function(void* arg) {
    int thread_id = *(static_cast<int*>(arg));
    std::cout << "Thread " << thread_id << " is running." << std::endl;
    return nullptr;
}
int main() {
    pthread_t threads[5];
    int thread_ids[5] = {0, 1, 2, 3, 4};
    // 创建线程
    for (int i = 0; i < 5; ++i) {
        if (pthread_create(&threads[i], nullptr, thread_function, &thread_ids[i]) != 0) {
            std::cerr << "Error creating thread "<< i << std::endl;
            return 1;
        }
    }
    // 等待线程结束
    for (int i = 0; i < 5; ++i) {
        pthread_join(threads[i], nullptr);
    }
    std::cout << "All threads have finished." << std::endl;
    return 0;
}
编译命令:
g++ -o pthread_example pthread_example.cpp -pthread
C++11引入了<thread>头文件,提供了跨平台的线程支持。使用C++11线程库可以编写更简洁、更安全的并发代码。
示例代码:
#include <iostream>
#include <thread>
#include <vector>
// 线程函数
void thread_function(int thread_id) {
    std::cout << "Thread " << thread_id << " is running." << std::endl;
}
int main() {
    std::vector<std::thread> threads;
    // 创建线程
    for (int i = 0; i < 5; ++i) {
        threads.emplace_back(thread_function, i);
    }
    // 等待线程结束
    for (auto& t : threads) {
        t.join();
    }
    std::cout << "All threads have finished." << std::endl;
    return 0;
}
编译命令:
g++ -o cpp11_threads_example cpp11_threads_example.cpp -std=c++11
除了pthreads和C++11线程库之外,还有许多其他的并发库可供选择,如Boost.Thread、Intel Threading Building Blocks (TBB)等。这些库提供了更高级别的并发抽象和功能。
例如,使用Boost.Thread:
#include <iostream>
#include <boost/thread.hpp>
// 线程函数
void thread_function(int thread_id) {
    std::cout << "Thread " << thread_id << " is running." << std::endl;
}
int main() {
    boost::thread_group threads;
    // 创建线程
    for (int i = 0; i < 5; ++i) {
        threads.create_thread(boost::bind(thread_function, i));
    }
    // 等待线程结束
    threads.join_all();
    std::cout << "All threads have finished." << std::endl;
    return 0;
}
编译命令:
g++ -o boost_threads_example boost_threads_example.cpp -lboost_thread -pthread
在选择并发编程方法时,请根据你的需求和项目特点进行选择。C++11线程库是一个很好的起点,因为它提供了跨平台的线程支持,并且与C++标准紧密集成。