在Linux上使用C++实现多线程,通常会使用POSIX线程库(pthread)。以下是一个简单的示例,展示了如何创建和运行多个线程。
首先,确保你的编译器支持C++11或更高版本,因为C++11引入了原生的线程支持(
头文件),使用起来更加方便。如果你的编译器不支持C++11,可以使用pthread库。
使用pthread库
-
包含头文件:
#include
#include -
定义线程函数:
void* threadFunction(void* arg) { int threadId = *(static_cast
(arg)); std::cout << "Thread " << threadId << " is running." << std::endl; return nullptr; } -
创建线程:
int main() { const int numThreads = 5; pthread_t threads[numThreads]; int threadIds[numThreads]; for (int i = 0; i < numThreads; ++i) { threadIds[i] = i; if (pthread_create(&threads[i], nullptr, threadFunction, &threadIds[i]) != 0) { std::cerr << "Failed to create thread "<< i << std::endl; return 1; } } // 等待所有线程完成 for (int i = 0; i < numThreads; ++i) { pthread_join(threads[i], nullptr); } std::cout << "All threads have completed." << std::endl; return 0; }
-
编译程序: 使用g++编译时,需要链接pthread库:
g++ -pthread -o multithread_example multithread_example.cpp
使用C++11的
库
如果你使用的是C++11或更高版本,可以使用标准库中的
来实现多线程。
-
包含头文件:
#include
#include -
定义线程函数:
void threadFunction(int threadId) { std::cout << "Thread " << threadId << " is running." << std::endl; }
-
创建线程:
int main() { const int numThreads = 5; std::thread threads[numThreads]; for (int i = 0; i < numThreads; ++i) { threads[i] = std::thread(threadFunction, i); } // 等待所有线程完成 for (auto& t : threads) { if (t.joinable()) { t.join(); } } std::cout << "All threads have completed." << std::endl; return 0; }
-
编译程序: 使用g++编译时,需要启用C++11标准:
g++ -std=c++11 -o multithread_example multithread_example.cpp
这两种方法都可以在Linux上实现多线程编程。选择哪种方法取决于你的需求和编译器的支持情况。