c++ thread多线程示例代码
时间: 2023-09-01 18:07:15 浏览: 84
可以看下面这个示例代码:
```c++
#include <iostream>
#include <thread>
#include <chrono>
void sayHello() {
std::cout << "Hello from thread " << std::this_thread::get_id() << std::endl;
}
int main() {
std::cout << "Starting main thread: " << std::this_thread::get_id() << std::endl;
std::thread t1(sayHello);
std::cout << "Thread " << t1.get_id() << " created" << std::endl;
t1.join(); // waits for t1 to finish
std::cout << "Exiting main thread" << std::endl;
return 0;
}
```
这个示例代码创建了一个 `std::thread` 对象,并在其上运行了一个 `sayHello()` 函数。主线程等待子线程执行完毕后才退出。
相关问题
C++多线程代码示例
以下是一个使用C语言编写的多线程代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
#define NUM_THREADS 5
void *thread_function(void *arg)
{
int tid;
tid = *((int *)arg);
printf("Thread %d: Hello World!\n", tid);
pthread_exit(NULL);
}
int main()
{
pthread_t threads[NUM_THREADS];
int thread_args[NUM_THREADS];
int i;
// 创建多个线程
for (i = 0; i < NUM_THREADS; ++i)
{
thread_args[i] = i;
pthread_create(&threads[i], NULL, thread_function, (void *)&thread_args[i]);
}
// 等待线程执行完毕
for (i = 0; i < NUM_THREADS; ++i)
{
pthread_join(threads[i], NULL);
}
return 0;
}
```
该示例中,首先定义了一个线程执行函数`thread_function`,它接收一个`void*`类型的参数,并通过强制转换为`int*`类型来获取线程标识符。然后在函数中打印输出线程的标识符。
在`main`函数中,首先声明了一个存放线程对象的数组`threads`和存放线程参数的数组`thread_args`。然后使用`pthread_create`函数创建了多个线程,并将线程标识符存入`threads`数组中。每个线程的参数从`thread_args`数组中获取。接着使用`pthread_join`函数等待所有线程执行完毕。
C++ 多线程编程代码示例
C++ 中的多线程编程允许并发执行多个任务,提高了程序的效率和响应能力。以下是一个简单的使用 C++11 标准库 `std::thread` 实现的多线程代码示例:
```cpp
#include <iostream>
#include <thread>
// 定义一个线程执行的任务
void thread_function(int id) {
std::cout << "Thread " << id << " is running.\n";
// 这里可以添加线程需要执行的具体操作
std::this_thread::sleep_for(std::chrono::seconds(2)); // 模拟工作时间
std::cout << "Thread " << id << " finished.\n";
}
int main() {
// 创建两个线程
std::thread t1(thread_function, 1); // 第一个线程,id为1
std::thread t2(thread_function, 2); // 第二个线程,id为2
// 主线程继续执行
std::cout << "Main thread is running.\n";
// 等待线程完成
t1.join(); // 等待t1线程结束
t2.join(); // 等待t2线程结束
return 0;
}
```
在这个例子中,`thread_function` 函数被作为参数传递给 `std::thread` 构造函数,创建了两个线程。主线程在等待这两个子线程执行完毕后继续执行。
阅读全文