我想要一个非常简单的周期性定时器,每50ms调用一次代码。我可以创建一个一直睡50ms的线程(但这很痛苦)...我可以开始研究Linux API来制作定时器(但它不是便携式的)......
我喜欢使用boost ..我只是不确定它是否可行。 boost是否提供此功能?
答案 0 :(得分:23)
一个非常简单但功能齐全的例子:
#include <iostream>
#include <boost/asio.hpp>
boost::asio::io_service io_service;
boost::posix_time::seconds interval(1); // 1 second
boost::asio::deadline_timer timer(io_service, interval);
void tick(const boost::system::error_code& /*e*/) {
std::cout << "tick" << std::endl;
// Reschedule the timer for 1 second in the future:
timer.expires_at(timer.expires_at() + interval);
// Posts the timer event
timer.async_wait(tick);
}
int main(void) {
// Schedule the timer for the first time:
timer.async_wait(tick);
// Enter IO loop. The timer will fire for the first time 1 second from now:
io_service.run();
return 0;
}
请注意,调用expires_at()
设置新的到期时间非常重要,否则计时器将立即触发,因为它的当前到期时间已过期。
答案 1 :(得分:18)
关于Boosts Asio教程的第二个例子解释了它 你可以找到它here。
之后,check the 3rd example了解如何使用定期时间间隔再次调用
答案 2 :(得分:0)
进一步扩展这个简单的例子。如注释中所述,它将阻止执行,因此,如果要运行更多的io_services,则应在这样的线程中运行它们……
node v8.15.1
npm v6.4.1
答案 3 :(得分:0)
由于我对先前的答案有一些疑问,这是我的示例:
#include <boost/asio.hpp>
#include <boost/bind.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
#include <iostream>
void print(const boost::system::error_code&, boost::asio::deadline_timer* t,int* count)
{
if (*count < 5)
{
std::cout << *count << std::endl;
++(*count);
t->expires_from_now(boost::posix_time::seconds(1));
t->async_wait(boost::bind(print, boost::asio::placeholders::error, t, count));
}
}
int main()
{
boost::asio::io_service io;
int count = 0;
boost::asio::deadline_timer t(io, boost::posix_time::seconds(1));
t.async_wait(boost::bind(print, boost::asio::placeholders::error, &t, &count));
io.run();
std::cout << "Final count is " << count << std::endl;
return 0;
}
它做了应该做的事情:数到五。可以帮助别人。