在Linux下使用C++实现多线程,主要依赖于POSIX线程库(pthread)。以下是一个简单的示例,展示了如何创建和运行多个线程。
首先,确保你的系统已经安装了pthread库。在大多数Linux发行版中,它已经是预装的。如果没有,你可以使用包管理器(如apt或yum)来安装它。
创建一个名为multithread_example.cpp的文件,并添加以下代码:
#include <iostream>
#include <pthread.h>
// 线程函数原型
void* thread_function(void* arg);
int main() {
// 定义线程ID
pthread_t thread1, thread2;
// 创建线程
int result1 = pthread_create(&thread1, NULL, thread_function, (void*)"Thread 1");
int result2 = pthread_create(&thread2, NULL, thread_function, (void*)"Thread 2");
// 检查线程是否成功创建
if (result1 != 0) {
std::cerr << "Error: unable to create thread 1" << std::endl;
return 1;
}
if (result2 != 0) {
std::cerr << "Error: unable to create thread 2" << std::endl;
return 1;
}
// 等待线程结束
pthread_join(thread1, NULL);
pthread_join(thread2, NULL);
std::cout << "Threads have finished execution." << std::endl;
return 0;
}
// 线程函数
void* thread_function(void* arg) {
std::string thread_name = static_cast<const char*>(arg);
std::cout << thread_name << " is running." << std::endl;
// 在这里执行你的任务
return NULL;
}
g++ -o multithread_example multithread_example.cpp -pthread
注意:在编译命令中添加-pthread选项,以确保正确链接pthread库。
./multithread_example
这个示例将创建两个线程,它们将并行运行并输出它们的名称。在实际应用中,你可以在thread_function函数中执行你的任务。