C++ Boost ASIO简单周期定时器?

Sco*_*ott 24 c++ linux boost boost-asio

我想要一个非常简单的周期性定时器,每50ms调用一次我的代码.我可以创建一个一直睡眠50ms的线程(但这很痛苦)...我可以开始研究Linux API用于制作计时器(但它不可移植)......

使用boost.我只是不知道这是可能的.boost是否提供此功能?

Luc*_*iva 24

一个非常简单但功能齐全的例子:

#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;
}
Run Code Online (Sandbox Code Playgroud)

请注意,调用expires_at()设置新的到期时间非常重要,否则计时器将立即触发,因为它的当前到期时间已到期.

  • 请注意,```boost::asio::io_service::run()``` 会阻止线程执行,因此您无法在调用它后执行指令并期望计时器也同时触发。 (2认同)

Def*_*ult 19

关于Boosts Asio教程的第二个例子解释了它.
你可以在这里找到它.

之后,请检查第3个示例,了解如何使用定期时间间隔再次调用它