下面是使用计时器包装线程的测试类的实现。 奇怪的是,如果截止日期设置为500毫秒它可以工作,但如果我将它设置为1000毫秒,它不会。我做错了什么?
#include "TestTimer.hpp"
#include "../SysMLmodel/Package1/Package1.hpp"
TestTimer::TestTimer(){
thread = boost::thread(boost::bind(&TestTimer::classifierBehavior,this));
timer = new boost::asio::deadline_timer(service,boost::posix_time::milliseconds(1000));
timer->async_wait(boost::bind(&TestTimer::timerBehavior, this));
};
TestTimer::~TestTimer(){
}
void TestTimer::classifierBehavior(){
service.run();
};
void TestTimer::timerBehavior(){
std::cout<<"timerBehavior\r";
timer->expires_at(timer->expires_at() + boost::posix_time::milliseconds(1000));
timer->async_wait(boost::bind(&TestTimer::timerBehavior,this));
}
更新1 我注意到程序卡住(或者至少在控制台中输出标准输出很多秒,大约30秒),然后很多“timerBehavior”字符串被打印出来,好像它们已经在某个地方排队一样。
答案 0 :(得分:5)
您的程序可能有几个问题。从你所展示的内容来看,很难说,如果程序在计时器有机会触发之前停止。并且,如果要在换行符后刷新输出,则不要刷新输出,使用std :: endl。第三,如果你的线程要运行io_service.run()函数,那么线程可能会找到一个空的io队列,run()会立即返回。为了防止这种情况,有一个工作类可以防止这种情况发生。以下是我的代码,可以按预期工作:
#include <boost/asio.hpp>
#include <boost/thread.hpp>
#include <iostream>
class TestTimer
{
public:
TestTimer()
: service()
, work( service )
, thread( boost::bind( &TestTimer::classifierBehavior,this ) )
, timer( service,boost::posix_time::milliseconds( 1000 ) )
{
timer.async_wait( boost::bind( &TestTimer::timerBehavior, this ) );
}
~TestTimer()
{
thread.join();
}
private:
void classifierBehavior()
{
service.run();
}
void timerBehavior() {
std::cout << "timerBehavior" << std::endl;
timer.expires_at( timer.expires_at() + boost::posix_time::milliseconds( 1000 ) );
timer.async_wait( boost::bind( &TestTimer::timerBehavior,this ) );
}
boost::asio::io_service service;
boost::asio::io_service::work work;
boost::thread thread;
boost::asio::deadline_timer timer;
};
int main()
{
TestTimer test;
}