我想将线程保留在某个类的成员变量中。以下代码片段显示了我想要实现的目标:
#include <iostream>
#include <thread>
#include <vector>
class Test {
public:
std::thread& t;
Test(std::thread&& rt) : t(rt) {}
};
int main()
{
std::vector<Test> tests;
{
std::thread t ([]{
std::cout << 1;
});
tests.push_back(Test(std::move(t)));
}
for(Test mytest : tests)
{
mytest.t.join();
}
}
代码将在join()行处中断。错误是:
terminate called without an active exception
Aborted (core dumped)
为什么在保留原始线程创建范围的情况下不能通过mytest.t调用线程?
答案 0 :(得分:6)
由于std :: thread是可移动的但不可复制,因此您可以这样做:
iotop -botqqqk -n 10 | awk 'BEGIN{SUBSEP=" "} !c[$13,$2]++{d[++count]=$13 OFS $2} {a[$13,$2]++;b[$13,$2]+=$5} END{for(i=1;i<=count;i++){print d[i],b[d[i]]/a[d[i]]}}'
答案 1 :(得分:3)
在您的课程中,您对线程而不是线程对象有一个引用:
std::thread& t;
^
这意味着将发生以下顺序:
{
std::thread t ([]{
std::cout << 1;
}); // 1. Thread is created.
tests.push_back(Test(std::move(t))); // 2. Reference to moved thread is taken
// and after move thread is destroyed.
// 3. Now the thread is destroyed,
// but not joined which will call `std::terminate`
// (Thanks @tkausl)
}
如果您上课std::thread t
,此举将起作用。
答案 2 :(得分:0)
正如@tkausl所提到的,它是一个引用,{}
会在线程对象超出范围时破坏线程对象,并且您的引用不再有效。此外,您需要修改循环,以使其不创建原始Test
对象的副本。修改后将变为:
class Test {
public:
std::thread& t;
Test(std::thread&& rt) : t(rt) {}
};
int main()
{
std::vector<Test> tests;
std::thread t ([]{
std::cout << 1;
});
tests.push_back(Test(std::move(t)));
for(Test& mytest : tests)
{
mytest.t.join();
}
}