从另一个线程原子地取消 asio 异步定时器
Atomically cancel asio asynchronious timer from another thread
我有一个 deadline_timer 定期 运行 的提升(例如 http://www.boost.org/doc/libs/1_35_0/doc/html/boost_asio/tutorial/tuttimer3/src.html):
#include <iostream>
#include <boost/asio.hpp>
#include <boost/bind.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
void print(const boost::system::error_code& /*e*/,
boost::asio::deadline_timer* t)
{
t->expires_at(t->expires_at() + boost::posix_time::seconds(1));
t->async_wait(boost::bind(print,
boost::asio::placeholders::error, t, count));
}
int main()
{
boost::asio::io_service io;
boost::asio::deadline_timer t(io, boost::posix_time::seconds(1));
t.async_wait(boost::bind(print,
boost::asio::placeholders::error, &t));
io.run();
return 0;
}
现在我需要从另一个线程取消它。
但是如果 cancel 的调用出现在 print 函数执行期间但在 expires_at 调用之前呢?然后定时器会继续运行.
一种处理方法是运行像
while (timer.cancel() == 0) {
}
在那个单独的线程函数中。
但是也许有人知道解决这个问题的更优雅的方法?
其实这两种方法都不太安全,因为deadline_timer
是not thread-safe.
IMO,最简单和安全的方法是post
取消:
//...
timer.get_io_service().post([&]{timer.cancel();})
//...
注意:在实际代码中必须确保 timer
比函子 (lambda) 长。
更新:如@sehe 所述,此解决方案可能不起作用 - 因为当计时器不再等待时,取消处理程序可能会出现在 print
之前的 io_service
队列中。
我有一个 deadline_timer 定期 运行 的提升(例如 http://www.boost.org/doc/libs/1_35_0/doc/html/boost_asio/tutorial/tuttimer3/src.html):
#include <iostream>
#include <boost/asio.hpp>
#include <boost/bind.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
void print(const boost::system::error_code& /*e*/,
boost::asio::deadline_timer* t)
{
t->expires_at(t->expires_at() + boost::posix_time::seconds(1));
t->async_wait(boost::bind(print,
boost::asio::placeholders::error, t, count));
}
int main()
{
boost::asio::io_service io;
boost::asio::deadline_timer t(io, boost::posix_time::seconds(1));
t.async_wait(boost::bind(print,
boost::asio::placeholders::error, &t));
io.run();
return 0;
}
现在我需要从另一个线程取消它。 但是如果 cancel 的调用出现在 print 函数执行期间但在 expires_at 调用之前呢?然后定时器会继续运行.
一种处理方法是运行像
while (timer.cancel() == 0) {
}
在那个单独的线程函数中。
但是也许有人知道解决这个问题的更优雅的方法?
其实这两种方法都不太安全,因为deadline_timer
是not thread-safe.
IMO,最简单和安全的方法是post
取消:
//...
timer.get_io_service().post([&]{timer.cancel();})
//...
注意:在实际代码中必须确保 timer
比函子 (lambda) 长。
更新:如@sehe 所述,此解决方案可能不起作用 - 因为当计时器不再等待时,取消处理程序可能会出现在 print
之前的 io_service
队列中。