我正在尝试一次执行两项操作,程序的main方法中的一个循环打印出Tick from main
,而类中的另一个循环打印出Tick from ConnectionManager
。
我在此处运行的这段特定代码摘自此处提出的问题之一。
main.cpp文件:
#include <Windows.h> // printf, Sleep
#include <thread> // thread
// Include Connection Manager
#include "ConnectionManager.h"
int main() {
ConnectionManager _CM;
while (1) {
printf("Tick from main");
Sleep(1500);
}
}
ConnectionManager.h
#pragma once
class ConnectionManager
{
private:
void LoopForData();
public:
ConnectionManager();
};
ConnectionManager.cpp
#include "ConnectionManager.h"
#pragma once
#include <Windows.h>
#include <thread>
void ConnectionManager::LoopForData() {
while (1) {
printf("Tick from connection manager\n");
Sleep(1500);
}
}
ConnectionManager::ConnectionManager()
{
std::thread tobj(&ConnectionManager::LoopForData, this);
}
预期的行为是两个循环同时运行,但是我在控制台上获得的输出仅来自LoopForData函数,并且出现以下错误屏幕:https://imgur.com/a/WO5AKE8
我可能会缺少什么?
答案 0 :(得分:2)
这应该很好。
#include <iostream>
#include <thread>
#include <chrono>
//ConnectionManager.h
class ConnectionManager
{
private:
std::thread tobj;
public:
ConnectionManager();
~ConnectionManager();
private:
void LoopForData();
};
//ConnectionManager.cpp
#include "ConnectionManager.h"
void ConnectionManager::LoopForData(){
while (1) {
std::cout << "Tick from connection manager" << std::endl;
std::this_thread::sleep_for (std::chrono::milliseconds(1500));
}
}
ConnectionManager::~ConnectionManager(){
if(tobj.joinable()){
tobj.join();
}
}
ConnectionManager::ConnectionManager() : tobj(&ConnectionManager::LoopForData, this){
}
//main.cpp
#include "ConnectionManager.h"
int main() {
ConnectionManager _CM;
while (1) {
std::cout << "Tick from main" << std::endl;
std::this_thread::sleep_for (std::chrono::seconds(1));
}
}
我认为您的主要问题与在构造函数退出时tobj超出范围有关。您也可以使用c ++标准睡眠而不是Windows的睡眠。