我试图对命令行服务器进行编程,该服务器将从串行端口接收信息,解析它并将其记录在内部对象中。
然后,根据客户的请求,服务器将返回所请求的信息。
我想做的是把接收器和放大器放在一起。解析器部分在一个单独的线程中,以使服务器一起运行,而不是干扰数据收集。
#include <iostream>
#include <thread>
class exampleClass{
std::thread *processThread;
public void completeProcess(){
while(1){
processStep1();
if (verification()){processStep2()}
}
};
void processStep1(){...};
void processStep2(){...};
bool verification(){...};
void runThreaded();
} // End example class definition
// The idea being that this thread runs independently
// until I call the object's destructor
exampleClass::runThreaded(){
std::thread processThread(&exampleClass::completeProcess, this);
} // Unfortunately The program ends up crashing here with CIGARET
答案 0 :(得分:8)
您正在成员函数中运行本地线程。你必须加入它或分离它,因为它是本地的,你必须在函数本身中这样做:
exampleClass::runThreaded()
{
std::thread processThread(&exampleClass::completeProcess, this);
// more stuff
processThread.join();
} //
我猜你真正想要的是启动数据成员线程而不是启动本地线程。如果你这样做,你仍然必须在某个地方加入它,例如在析构函数中。在这种情况下,您的方法应该是
exampleClass::runThreaded()
{
processThread = std::thread(&exampleClass::completeProcess, this);
}
和析构函数
exampleClass::~exampleClass()
{
processThread.join();
}
和processThread
应该是std::thread
,而不是指向一个的指针。
关于设计的注意事项:如果要使用runThreaded
方法作用于线程数据成员,则必须非常小心在线程加入之前不要多次调用它。在构造函数中启动线程并将其连接到析构函数中可能更有意义。
答案 1 :(得分:3)
线程对象在堆栈上,它将在函数端被破坏。如果线程仍在运行,则线程对象析构函数调用std::terminate
,如您的情况。请参阅here。