第三节 线程传参详解,detach()大坑,成员函数做线程函数
一、传递临时对象作为线程参数
1.1要避免的陷阱1:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25
| #include <iostream> #include <thread> using namespace std; void myPrint(const int &i, char* pmybuf) { cout << i << endl; cout << pmybuf << endl; } int main() { int mvar = 1; int& mvary = mvar; char mybuf[] = "this is a test"; thread myThread(myPrint, mvar, mybuf); myThread.join(); cout << "Hello World!" << endl; }
|
1.2要避免的陷阱2:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25
| #include <iostream> #include <thread> #include <string> using namespace std; void myPrint(const int i, const string& pmybuf) { cout << i << endl; cout << pmybuf << endl; } int main() { int mvar = 1; int& mvary = mvar; char mybuf[] = "this is a test"; thread myThread(myPrint, mvar, mybuf); myThread.join(); cout << "Hello World!" << endl; }
|
1.3总结
- 如果传递int这种简单类型,推荐使用值传递,不要用引用
- 如果传递类对象,避免使用隐式类型转换,全部都是创建线程这一行就创建出临时对象,然后在函数参数里,用引用来接,否则还会创建出一个对象
- 终极结论:建议不使用detach
二、临时对象作为线程参数继续讲
2.1线程id概念
- id是个数字,每个线程(不管是主线程还是子线程)实际上都对应着一个数字,而且每个线程对应的这个数字都不一样
- 线程id可以用C++标准库里的函数来获取。std::this_thread::get_id()来获取
三、传递类对象、智能指针作为线程参数
3.1
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31
| #include <iostream> #include <thread> using namespace std; class A { public: mutable int m_i; A(int i) :m_i(i) {} }; void myPrint(const A& pmybuf) { pmybuf.m_i = 199; cout << "子线程myPrint的参数地址是" << &pmybuf << "thread = " << std::this_thread::get_id() << endl; } int main() { A myObj(10); thread myThread(myPrint, myObj); myThread.join(); cout << "Hello World!" << endl; }
|
3.2
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| #include <iostream> #include <thread> #include <memory> using namespace std; void myPrint(unique_ptr<int> ptn) { cout << "thread = " << std::this_thread::get_id() << endl; } int main() { unique_ptr<int> up(new int(10)); //独占式指针只能通过std::move()才可以传递给另一个指针 //传递后up就指向空,新的ptn指向原来的内存 //所以这时就不能用detach了,因为如果主线程先执行完,ptn指向的对象就被释放了 thread myThread(myPrint, std::move(up)); myThread.join(); //myThread.detach(); return 0; }
|
四、用成员函数指针做线程函数
放在了2.2