在Linux环境下使用C++实现多线程,通常会使用POSIX线程库(pthread)。以下是一个简单的示例,展示了如何创建和使用多线程。
首先,确保你的编译器支持C++11或更高版本,因为从C++11开始,标准库也提供了线程支持(<thread>
头文件),但是这里我们使用的是POSIX线程库。
#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;
// 执行一些任务...
pthread_exit(nullptr);
}
int main() {
const int num_threads = 5;
pthread_t threads[num_threads];
int thread_ids[num_threads];
// 创建线程
for (int i = 0; i < num_threads; ++i) {
thread_ids[i] = i;
int result = pthread_create(&threads[i], nullptr, thread_function, &thread_ids[i]);
if (result != 0) {
std::cerr << "Error: unable to create thread "<< i << std::endl;
return 1;
}
}
// 等待线程结束
for (int i = 0; i < num_threads; ++i) {
pthread_join(threads[i], nullptr);
}
std::cout << "All threads have finished." << std::endl;
return 0;
}
使用g++编译器,你可以使用-pthread
选项来链接pthread库:
g++ -pthread -o my_multithreaded_app my_multithreaded_app.cpp
./my_multithreaded_app
这个例子中,我们创建了5个线程,每个线程都会执行thread_function
函数,并打印出自己的线程ID。然后主线程会等待所有子线程完成后才退出。
请注意,多线程编程需要注意线程同步和数据共享的问题,以避免竞态条件和数据不一致等问题。在实际应用中,可能需要使用互斥锁(mutexes)、条件变量(condition variables)等同步机制来保护共享资源。