我想提供一个类,它在读取某些数据(udp数据包或来自文件)时保存缓冲区。如果我从主要开始我的线程,一切都很好,但在这种情况下,我想避免,用户必须为自己设置一个新的线程。
所以这里的代码就像我能做到的那样简单:
class DataCollector
{
void startCollect()
{
std::thread t1(readSource);
}
bool readSource()
{
while(1)
{
// read some data for storage
}
}
}
int main()
{
DataCollector myDataCollector;
myDataCollector.startCollect();
while(1)
{
// do some other work, for example interpret the data
}
return 0;
}
现在我需要你的帮助。如何在startCollect中调用此线程?
EDIT1: 这是我现在如何运作的例子!
// ringbuffertest.cpp : Definiert den Einstiegspunkt für die Konsolenanwendung.
//
#include "stdafx.h"
#include <thread>
#include <Windows.h>
class DataCollector
{
private:
//std::thread collecterThread;
public:
DataCollector(){}
void startCollect()
{
readSource();
}
bool readSource()
{
while (1)
{
printf("Hello from readSource!\n");
Sleep(1000);
}
return false;
}
};
int _tmain(int argc, _TCHAR* argv[])
{
DataCollector myDataCollector;
std::thread t1(&DataCollector::startCollect, std::ref(myDataCollector));
t1.join();
return 0;
}
但正如我所说,我想在我的startCollect函数中隐藏线程调用。
答案 0 :(得分:1)
在销毁活动的thread
对象之前,它必须加入(等待线程完成,然后清理其资源)或分离(完成后离开跑步并自我清理。
所以你可以让线程成为一个成员变量,以便以后加入它:
void startCollect()
{
this->thread = std::thread(&DataCollector::readSource, this);
}
void waitForCollectToFinish()
{
this->thread.join();
}
如果您不需要等待它完成的能力,或者您可以通过其他方式表明数据可用,那么您可以将其分离:
void startCollect()
{
std::thread([this]{readSource();}).detach();
}
您还可以查看更高级别的并发工具,例如std::async
和std::future
。这些可能比直接处理线程更方便。