boost库下的deadline_timer和steady_timer 区别

1:steady_timer的expires_from_now函数参数必须使用std::chrono

2:deadline_timer的expires_from_now函数参数必须使用boost::posix_time

声明以下处之别人的整理中

3:boost::asio::deadline_timer使用的计量时间是系统时间,因此修改系统时间会影响deadline_timer的行为。例如,调用了expires_from_now设置1分钟超时后,立刻把系统时间改成一天前,那么要过一天时间才会超时。这个特性可能会影响程序功能的正常使用,因此我们通常想要的是一个不会受系统时间影响的定时器。

事实上,boost::asio::steady_timer就是一个这样的定时器,它基于std::chrono::steady_clock实现。std::chrono::steady_clock是一个稳定的时钟,不随系统时间变化而变化。既然如此,直接用steady_timer代替deadline_timer不就可以了吗?理论上来说是可以的,但实际上,在Visual C++ 2013环境下,这是行不通的,因为Visual C++ 2013标准库中的std::chronno::steady_clock并不符合标准,它仍然会受系统时间影响!

有三种方法可以解决这个问题。第一是升级到Visual C++ 2015,这个版本的std::chronno::steady_clock总算符合标准了;第二是修改boost的编译选项,定义BOOST_ASIO_DISABLE_STD_CHRONO宏,这样可以禁止boost使用std::chrono,转而使用boost::chrono;第三是本文要介绍的方法,即定制deadline_timer,让它变成稳定的定时器。

deadline_timer实际上是basic_deadline_timer的特化版本,它的定义如下:

typedef basic_deadline_timer<boost::posix_time::ptime> deadline_timer;
basic_deadline_timer是一个模板类,它的定义如下:

template<
    typename Time,
    typename TimeTraits = boost::asio::time_traits<Time>,
    typename TimerService = deadline_timer_service<Time, TimeTraits>>
class basic_deadline_timer : public basic_io_object< TimerService >
从以上定义的模板参数可以看出,basic_deadline_timer提供了灵活的可定制性。这里我们关注的重点是前面两个模板参数,其中第一个参数Time指定时间值的类型,第二个参数TimeTraits指定时间值的特性类,特性类用来对时间值进行各种操作。TimeTraits使用boost::asio::time_traits作为默认值,而boost::asio::time_traits只有一个针对boost::posix_time::ptime(即deadline_timer使用的时间值类型)的特化版本,从这个特化版本的定义可以看到TimeTraits需要提供哪些接口,如下所示:

/// Time traits specialised for posix_time.
template <>
struct time_traits<boost::posix_time::ptime>
{
  /// The time type.
  typedef boost::posix_time::ptime time_type;

  /// The duration type.
  typedef boost::posix_time::time_duration duration_type;

  /// Get the current time.
  static time_type now()
  {
#if defined(BOOST_DATE_TIME_HAS_HIGH_PRECISION_CLOCK)
    return boost::posix_time::microsec_clock::universal_time();
#else // defined(BOOST_DATE_TIME_HAS_HIGH_PRECISION_CLOCK)
    return boost::posix_time::second_clock::universal_time();
#endif // defined(BOOST_DATE_TIME_HAS_HIGH_PRECISION_CLOCK)
  }

  /// Add a duration to a time.
  static time_type add(const time_type& t, const duration_type& d)
  {
    return t + d;
  }

  /// Subtract one time from another.
  static duration_type subtract(const time_type& t1, const time_type& t2)
  {
    return t1 - t2;
  }

  /// Test whether one time is less than another.
  static bool less_than(const time_type& t1, const time_type& t2)
  {
    return t1 < t2;
  }

  /// Convert to POSIX duration type.
  static boost::posix_time::time_duration to_posix_duration(
      const duration_type& d)
  {
    return d;
  }
};
可以看到,TimeTraits需要提供time_type和duration_type两种类型来分别表示一个时间点和一段时间;需要提供now方法来获取当前时间;需要提供add、subtract和less_than方法来计算和比较时间;最后还需要to_posix_duration方法把duration_type类型转换成boost::posix_time::time_duration类型。

显然,对于定制的basic_deadline_timer,时间值类型Time可以是任意类型,并且它的含义并没有硬性规定,例如,它可以是以毫秒或纳秒为单位的时间,也可以是CPU时钟的周期数,只要提供了正确的TimeTraits特性类把这个定制的时间值转换成boost认识的时间值即可。

接下来要选择一种与系统时间无关的时间值类型来定制basic_deadline_timer。在Windows平台下,很容易想到可以使用QueryPerformanceCounter和QueryPerformanceFrequency,这两个API提供了高精度的时间度量,与系统时间无关。QueryPerformanceCounter用来查询当前CPU时钟的周期数,是64位整数,这个是理想的时间值类型。要把CPU时钟周期数转换成具体的时间还需要调用QueryPerformanceFrequency查询CPU时钟的频率,即1秒内的CPU时钟周期数,然后通过简单的计算即可得到。

下面的是使用QueryPerformanceCounter和QueryPerformanceFrequency定制的TimeTraits:

class TimeTraits {
public:
    typedef std::int64_t time_type;

    class duration_type {
    public:
        duration_type() : value(0) { }
        duration_type(std::int64_t value) : value(value) { }

        std::int64_t value;
    };

public:
    static void Initialize() {

        LARGE_INTEGER frequence_large_integer = { 0 };
        QueryPerformanceFrequency(&frequence_large_integer);
        frequence = frequence_large_integer.QuadPart;
    }

    static duration_type GetMinutes(std::int64_t minutes) {
        return duration_type(minutes * 60 * frequence);
    }

    static duration_type GetSeconds(std::int64_t seconds) {
        return duration_type(seconds * frequence);
    }

    static duration_type GetMilliseconds(std::int64_t milliseconds) {
        return duration_type(milliseconds * (frequence / 1000));
    }

    static time_type now() {

        LARGE_INTEGER counter = { 0 };
        QueryPerformanceCounter(&counter);
        return counter.QuadPart;
    }

    static time_type add(time_type time, duration_type duration) {
        return time + duration.value;
    }

    static duration_type subtract(time_type time1, time_type time2) {
        return duration_type(time1 - time2);
    }

    static bool less_than(time_type time1, time_type time2) {
        return time1 < time2;
    }

    static boost::posix_time::time_duration to_posix_duration(duration_type duration) {

        std::int64_t microseconds = (duration.value * 1000 * 1000) / frequence;
        return boost::posix_time::microseconds(microseconds);
    }

private:
    TimeTraits();

private:
    static std::int64_t frequence;
};
CPU时钟的频率是固定的,只需要调用QueryPerformanceFrequency查询一次即可,因此这里增加了Initialize方法来初始化CPU时钟频率,要在程序启动后的某个时机来调用该方法进行初始化。要注意的是duration_type不能跟time_type相同,这是TimeTraits的硬性规定,boost内部的代码依赖了这个规定,违反它会导致编译失败。所以要针对duration_type额外定义一个看似冗余的类型。

另一个值得注意的地方是,上面的定义增加了GetMinutes、GetSeconds和GetMilliseconds方法,这几个方法用来将具体的时间转换成我们定制的时间值,即CPU时钟周期数。这是因为在调用定时器的expires_from_now等方法设置超时值的时候,必须使用TimeTraits的duration_type,提供这几个方法可以方便使用。

最后,将这个定制的TimeTraits作为basic_deadline_timer的模板参数即可:

typedef boost::asio::basic_deadline_timer<std::int64_t, TimeTraits> Timer
使用方法基本上与dealine_timer一样,如下所示:


//在某个时机初始化TimeTraits
TimeTraits::Initialize();

//在某个地方定义io_service
boost::asio::io_service io_service;

//使用定制的Timer
Timer timer(io_service);
timer.expires_from_now(TimeTraits::GetSecnods(10));
timer.wait();

 
 
 
 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/548244.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

羅素悖論和正則公理

假如我们在ZF集合论里加入这么一条公理&#xff1a; 概括公理:设对于每一个对象$x$,我们都有一个依赖于$x$的性质$P(x)$,则存在一个集合$\{x|P(x)\mbox{成立}\}$.使得$$y\in\{x|P(x)\mbox{成立}\}\Leftrightarrow P(y)\mbox{成立}$$. 这看上去是一条很好的公理,在高中教科书中事…

openssl ssl_write 写错误

使用beast库中&#xff0c;调用async_read 异步写函数&#xff0c;会发生ssl_write错误&#xff0c;原因是openssl 限制了包大小&#xff0c;最大支持16KB的包&#xff0c;如果大于16KB的包&#xff0c;将会分成N个包.比如总包字节数为n,因此会被分成n/16 就等于发送对端的次数…

关于make_work_guard猜想

猜想&#xff1a;使用make_work_guard有可能是让io一直保活&#xff0c;不被当没有任务的时候&#xff0c;一直轮询&#xff0c;除非自己调用stop函数。欢迎大家留言&#xff0c;这只是我的猜想. #include<iostream> #include<boost/asio.hpp> #include <boost…

大流量 网站

引用&#xff1a;http://www.admin10000.com/document/948.html 动态应用&#xff0c;是相对于网站静态内容而言&#xff0c; 是指以c/c、php、Java、perl、.net等 服务器端语言开发的网络应用软件&#xff0c;比如论坛、网络相册、交友、BLOG等常见应用。动态应用系统通 常与数…

linux 虚拟机添加网卡

已经在vmware中安装了linux操作系统&#xff0c;由于要做双机热备测试&#xff0c;所以又给虚拟机添加了一块网卡&#xff0c;但是在linux里看不到这块添加的网卡。 1、在linux操作系统中&#xff0c;把ifcfg-eth0 cp一份出来&#xff0c;命名为&#xff1a;ifcfg-eth1&#xf…

关于thread不能被try catch

#include <iostream> #include <thread> int main() { try { //子线程不能抛异常 std::thread t([&]() { while (1){ std::this_thread::sleep_for(std::chrono::seconds(1)); } })…

Portal-Basic Java Web 应用开发框架:应用篇(十一) —— 整合 Spring

Portal-Basic Java Web应用开发框架&#xff08;简称 Portal-Basic&#xff09;是一套功能完备的高性能Full-Stack Web应用开发框架&#xff0c;内置稳定高效的MVC基础架构和DAO框架&#xff08;已内置Hibernate、MyBatis和JDBC支持&#xff09;&#xff0c;集成 Action拦截、F…

【杨中科】问苍天,微软的技术更新真的快吗

经常在网站上看到有人抱怨&#xff1a; “微软的技术怎么更新这么快&#xff0c;.Net2.0、3.0、3.5、4.0、4.5&#xff0c;我的妈呀&#xff0c;都跟不上微软的步伐了&#xff01;” “还没学会Silverlight3.0&#xff0c;Silverlight4.0就出来了&#xff0c;Silverlight4.0还没…

std::dynamic_pointer_cast细节用法

关于std::dynamic_pointer_cast的使用&#xff0c;只适合具有继承关系的使用&#xff0c;比如 class D:public B { }; 如果,B的指针指向D时&#xff0c;想用D里面的函数&#xff0c;而在B里面没有时&#xff0c;我们就会使用std::dynamic_pointer_cast函数&#xff0c;但是…

using 和typedef区别

using 可以用于模板别名&#xff0c;typedef 不可用于模板别名

Windows 8实用窍门系列:9.Windows 8中使用FlipView

FlipView控件类似于翻页控件&#xff0c;并且是现成的翻页按钮&#xff0c;你只需要为其增加数据项即可。本文讲述两种方式的FlipView项目和展示。 一&#xff1a;直接前台FlipViewItem <FlipView><FlipViewItem><Image Stretch"Uniform" Source"…

fstream

openmod : app 每次写入前寻位到流结尾 binary 以二进制模式打开 in 为读打开 out 为写打开 trunc 在打开时舍弃流的内容 ate 打开后立即寻位到流结尾 std::ifstream 读入 std::ostream 写出

冬季,拿什么来温暖你的心情

本文主要写了我在心情或者状态不好的时候如何恢复先前状态或者达到更佳的状态的方法&#xff0c;希望能引发读者的一些思考或带来一定的益处。如果有更好的方法或者我有做的不对或者不是最佳方法的地方&#xff0c;期待读者们的意见和建议。 两个多周没写文章了&#xff0c;最近…

Python获取命令行参数

sys.argv[] 包含命令行参数的字符串列表&#xff0c;通过下标获取参数。 例如: ?#!/usr/bin/python # Filename: using_sys.py import sys print The command line arguments are:for i in sys.argv: print i print \n\nThe PYTHONPATH is, sys.path, \n<BR><BR>p…

static用法

1.在函数内表示静态局部变量,作用域为静态存储区 2.在函数外全局区表示该标识符限定在本文件中可见 3.在类成员中表示静态成员

最牛X得“高考”作文

作文要求&#xff1a; "细雨湿衣看不见&#xff0c;闲花落地听无声"是唐朝诗人刘长卿在《别严士元》中的诗句。 曾经有人这样理解这句诗&#xff1a;1、这是歌颂春天的美好意境。2、闲花、细雨表达了不为人 知的寂寞。3、看不见、听不见不等于无所作为&…

结构体对齐

//按1个字节对齐 #pragma pack(push,1) struct MyStruct { std::uint32_t a; std::uint16_t b; }; #pragma pop size_t data_size sizeof(MyStruct); //占6个字节

SVN操作指南

http://blog.csdn.net/happy4nothing/article/details/376604#_Toc101751894

高性能服务器模型分类

高性能服务器的几种模型概念&#xff1a; actor模型&#xff1a; 实体之经过消息通信&#xff0c;各自处理本身的数据&#xff0c;可以实现这并行。 这种方式&#xff0c;有点相似rpc。 skynet是actor模型(听说是&#xff0c;具体没研究过) reactor模型&#xff1a; 1 向…

[人生百态]爱的样子

爱是只要一看到你,心里就觉得被裝的满满的爱是在看不到你的時候,默默想着你,默默念着你爱是听到你的声音就会觉得空气都是甜的爱是一闭上眼,浮现的全部是你的影子爱是一睁开眼,就希望你站在我面前爱是喜欢远远的,偷偷的凝视着你的身影爱是喜欢看着你的眼睛,因为这样的你眼里才只…