简体   繁体   English

C ++ std ::成员函数的线程

[英]C++ std::thread of a member function

I'm trying to program a command line server that would receive information from a serial port, parse it, and record it in an internal object. 我正在尝试编写一个命令行服务器,它将从串行端口接收信息,解析它,并将其记录在内部对象中。

Then upon request from a client the server would return the requested information. 然后,根据客户端的请求,服务器将返回所请求的信息。

What I want to do is put the receiver & parser parts in a separated thread in order to have the server running along side, not interfering with the data collection. 我想要做的是将接收器和解析器部件放在一个单独的线程中,以使服务器一起运行,而不是干扰数据收集。

#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

You are running a local thread inside a member function. 您正在成员函数中运行本地线程。 You have to join it or detach it and, since it is local, you have to do this in the function itself: 您必须加入或分离它,因为它是本地的,您必须在函数本身中执行此操作:

exampleClass::runThreaded()
{
    std::thread processThread(&exampleClass::completeProcess, this);
    // more stuff
    processThread.join();
} //

I am guessing what you really want is to launch a data member thread instead of launching a local one. 我猜你真正想要的是启动数据成员线程而不是启动本地线程。 If you do this, you still have to join it somewhere, for example in the destructor. 如果你这样做,你仍然必须在某个地方加入它,例如在析构函数中。 In this case, your method should be 在这种情况下,您的方法应该是

exampleClass::runThreaded()
{
    processThread = std::thread(&exampleClass::completeProcess, this);
}

and the destructor 和析构函数

exampleClass::~exampleClass()
{
    processThread.join();
}

and processThread should be an std::thread , not a pointer to one. processThread应该是一个std::thread ,而不是指向一个的指针。

Just a note on design: if you are to have a runThreaded method acting on a thread data member, you have to be very careful about not calling it more than once before the thread is joined. 关于设计的注意事项:如果要使用runThreaded方法作用于线程数据成员,则必须非常小心在连接线程之前不要多次调用它。 It might make more sense to launch the thread in the constructor and join it in the destructor. 在构造函数中启动线程并将其连接到析构函数中可能更有意义。

Thread object is on stack and it is going to be destructed on function end. 线程对象在堆栈上,它将在功能端被破坏。 Thread object destructor calls std::terminate if thread still running, as in your case. 如果线程仍在运行,则线程对象析构函数调用std::terminate ,如您的情况。 See here . 看到这里

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM