c++ 创建线程
时间: 2023-08-03 18:21:26 浏览: 109
C++创建线程
4星 · 用户满意度95%
在 C++ 中,可以使用标准库中的 `std::thread` 类来创建线程,具体步骤如下:
1. 包含头文件 `#include <thread>`
2. 定义线程函数
3. 创建线程对象并启动线程
下面是一个简单的示例代码:
```c++
#include <iostream>
#include <thread>
// 定义线程函数
void thread_func(int n) {
std::cout << "Hello from thread " << n << std::endl;
}
int main() {
std::thread t1(thread_func, 1); // 创建线程对象
std::thread t2(thread_func, 2);
// 等待线程执行完毕
t1.join();
t2.join();
std::cout << "Main thread exited" << std::endl;
return 0;
}
```
在上面的代码中,我们定义了一个名为 `thread_func` 的函数,它接受一个整数参数,并在函数体内输出一条消息。然后我们创建了两个线程对象 `t1` 和 `t2`,并分别将 `thread_func` 和参数传递给它们。最后,我们调用 `join` 函数来等待线程执行完毕,然后输出一条消息表示主线程已退出。
需要注意的是,线程对象在析构时会自动调用 `join` 函数,因此在创建线程对象时应该避免使用指针或引用。此外,线程函数的参数必须是可拷贝的,因为它们会被传递给新线程的副本。如果需要传递引用或指针,可以使用 `std::ref` 和 `std::cref` 函数来将它们转换为可拷贝的类型。
阅读全文