在NDK中测量时间,有四种方法。

LINUX系统方法

gettimeofday

以秒和微秒的形式返回自从Epoch(1970-01-01 00:00:00 +0000 (UTC))时间以来,系统已经经过了多少时间。这个函数会受到系统的时间跳变的影响,比如系统管理员重新设置了系统时间。clock_gettime则不受这个的影响(使用特定的时钟时)

从POSIX.1-2008开始,这个函数被标记为弃用,并推荐使用clock_gettime

#include <sys/time.h>

//时间通过tv返回
//tz参数已经被废弃,必须设置为NULL
//若获取失败,则函数返回-1,否则函数返回0
int gettimeofday(struct timeval *tv, struct timezone *tz); struct timeval {
time_t tv_sec; /* seconds */
suseconds_t tv_usec; /* microseconds */
}; //使用示例:
struct timeval t1, t2;
gettimeofday(&t1, NULL); //begin
//do something...
gettimeofday(&t2, NULL); //end
int sec = t2.tv_sec - t1.tv_sec; //秒
int usec = t2.tv_usec - t1.tv_usec; //微秒
double ms = sec * 1000.0 + usec / 1000.0; //毫秒
printf("time:%f ms", ms);
clock_gettime

以秒和纳秒的形式返回自从Epoch以来经过了多少时间。

https://linux.die.net/man/2/clock_gettime

#include <time.h>

//时间通过tp返回
//clk_id指定使用的clock id
//若获取成功,函数返回0,失败返回-1
int clock_gettime(clockid_t clk_id, struct timespec *tp); struct timespec {
time_t tv_sec; /* seconds */
long tv_nsec; /* nanoseconds */
};
//使用
#include <time.h> struct timespec time1 = {0, 0};
struct timespec time2 = {0, 0}; clock_gettime(CLOCK_REALTIME, &time1);
//do somethings...
clock_gettime(CLOCK_REALTIME, &time2);
cout << "time passed is: " <<
(time2.tv_sec - time1.tv_sec)*1000 +
(time2.tv_nsec - time1.tv_nsec)/1000000 << "ms" << endl;

各种时钟:clockid_t

  • CLOCK_REALTIME:测量系统真实的时间,比如wall-clock,会受系统管理员调整系统时间的影响
  • CLOCK_REALTIME_COARSE :CLOCK_REALTIME的快速但低精度版本
  • CLOCK_MONOTONIC:从某个不确定的点开始计时的单调递增的时间,比如开机,不受系统管理调整时间等的时间跳变的影响,但是如果adjtime使得时间增长,那么会受影响,也会受NTP的影响。
  • CLOCK_MONOTONIC_COARSE:CLOCK_MONOTONIC的快速低精度版本
  • CLOCK_MONOTONIC_RAW:与CLOCK_MONOTONIC类似,但是是基于硬件的时间,且不受adjtime和NTP的影响。
  • CLOCK_BOOTTIME:和CLOCK_MONOTONIC类似,但是会包括suspended时间,即suspended也在计时。
  • CLOCK_PROCESS_CPUTIME_ID:高精度的统计进程的CPU时间。
  • CLOCK_THREAD_CPUTIME_ID:统计线程的CPU时间

time

获取自从Eroph以来,以秒为单位的时间。

#include <time.h>
//返回值:以秒为单位的时间
//t:若非NULL,则与返回值同义
time_t time(time_t *t);

语言提供

clock

C和C++都提供这个函数

//C
//Defined in header <time.h>
clock_t clock(void); //C++
//Defined in header <ctime>
std::clock_t clock();

这个函数返回程序一个大概的CPU耗时,至于起点则不一定和程序的开始点一致,和具体的实现相关。所以,这个函数单一的调用返回值没有意义,只有两次调用之间的差值才有意义。

这个函数的计时可能比wall clock快或者慢。当本程序与另外的程序共享CPU时,那么就会比wall clock慢;当本程序在多线程执行时,那么就会比wall clock快,因为,比如每一秒内,本程序实际上耗费了多个(多线程)一秒的CPU时间.

//c++版本
#include <iostream>
#include <iomanip>
#include <chrono>
#include <ctime>
#include <thread> // the function f() does some time-consuming work
void f()
{
volatile double d = 0;
for(int n=0; n<10000; ++n)
for(int m=0; m<10000; ++m)
d += d*n*m;
} int main()
{
std::clock_t c_start = std::clock();
auto t_start = std::chrono::high_resolution_clock::now();
std::thread t1(f);
std::thread t2(f); // f() is called on two threads
t1.join();
t2.join();
std::clock_t c_end = std::clock();
auto t_end = std::chrono::high_resolution_clock::now(); std::cout << std::fixed << std::setprecision(2) << "CPU time used: "
<< 1000.0 * (c_end-c_start) / CLOCKS_PER_SEC << " ms\n"
<< "Wall clock time passed: "
<< std::chrono::duration<double, std::milli>(t_end-t_start).count()
<< " ms\n";
} //输出:
CPU time used: 1590.00 ms //因为本程序多线程,所以比wall clock快
Wall clock time passed: 808.23 ms
std::chrono::steady_clock

返回一个单调递增的时间,和CLOCK_MONOTONIC类似,最适合用来测量时间间隔

#include <iostream>
#include <vector>
#include <numeric>
#include <chrono> volatile int sink;
int main()
{
for (auto size = 1ull; size < 1000000000ull; size *= 100) {
// record start time
auto start = std::chrono::steady_clock::now();
// do some work
std::vector<int> v(size, 42);
sink = std::accumulate(v.begin(), v.end(), 0u); // make sure it's a side effect
// record end time
auto end = std::chrono::steady_clock::now();
std::chrono::duration<double> diff = end-start;
std::cout << "Time to fill and iterate a vector of "
<< size << " ints : " << diff.count() << " s\n";
}
} //out:
Time to fill and iterate a vector of 1 ints : 2.43e-07 s
Time to fill and iterate a vector of 100 ints : 4.1e-07 s
Time to fill and iterate a vector of 10000 ints : 2.519e-05 s
Time to fill and iterate a vector of 1000000 ints : 0.00207669 s
Time to fill and iterate a vector of 100000000 ints : 0.423087 s //简单使用示例:
#include <chrono>
#include <ctime> //CLOCKS_PER_SEC定义
auto start = std::chrono::steady_clock::now();
auto end = std::chrono::steady_clock::now();
printf("time: %f ms", 1000.0 * (c_end-c_start) / CLOCKS_PER_SEC); //打印毫秒
std::chrono::high_resolution_clock::now

只有C++有,并且从C++11开始. 使用见上例

#include <chrono>
static std::chrono::time_point<std::chrono::high_resolution_clock> now() noexcept;
//since C++11
std::chrono::system_clock

获取系统时间。

打印时间 std::ctime
#include <ctime>
#include <iostream> int main()
{
std::time_t result = std::time(nullptr);
std::cout << std::ctime(&result);
} //Output:
Tue Dec 27 17:21:29 2011

NDK时间测量的更多相关文章

  1. 玩转X-CTR100 l STM32F4 l 定时器时间测量

    我造轮子,你造车,创客一起造起来!塔克创新资讯[塔克社区 www.xtark.cn ][塔克博客 www.cnblogs.com/xtark/ ] 本文介绍X-CTR100控制器 使用处理器内部硬件定 ...

  2. python时间测量

    使用自定义装饰器测量时间 def test_time(func): def inner(*args, **kw): t1 = datetime.datetime.now() print('开始时间:' ...

  3. 对java程序员来说时间格式永远让人挠头来看Java Date Time 教程-时间测量

    在Java中,用System.currentTimeMillis()来测量时间最方便. 你要做的是在某些操作之前获取到时间,然后在这些操作之后你想要测量时间,算出时间差.下面是一个例子: long s ...

  4. 【转载】Linux 进程调度时间测量

    测试Context Switch time(进程上下文切换时间) --------------------------------------------------     创建两个进程(实时进程) ...

  5. 【安富莱专题教程第7期】终极调试组件Event Recorder,各种Link通吃,支持时间和功耗测量,printf打印,RTX5及中间件调试

    说明:1.继前面的专题教程推出SEGGER的RTT,JScope,Micrium的uC/Probe之后,再出一期终极调试方案Event Recoder,之所以叫终极解决方案,是因为所有Link通吃.  ...

  6. iOS 时间的处理

    做App避免不了要和时间打交道,关于时间的处理,里面有不少门道,远不是一行API调用,获取当前系统时间这么简单.我们需要了解与时间相关的各种API之间的差别,再因场景而异去设计相应的机制. 时间的形式 ...

  7. Boost学习笔记(二) 时间与日期

    timer库概述 timer库包含三个组件:分别是计时器类timer.progress_timer和进度指示类progress_display timer 主要作用是计时,精确度是毫秒级.下面是一个简 ...

  8. 真实世界:使用WCF扩展记录服务调用时间

    WCF 可扩展性 WCF 提供了许多扩展点供开发人员自定义运行时行为. WCF 在 Channel Layer 之上还提供了一个高级运行时,主要是针对应用程序开发人员.在 WCF 文档中,它常被称为服 ...

  9. (笔记)Linux内核学习(八)之定时器和时间管理

    一 内核中的时间观念 内核在硬件的帮助下计算和管理时间.硬件为内核提供一个系统定时器用以计算流逝的时间.系 统定时器以某种频率自行触发,产生时钟中断,进入内核时钟中断处理程序中进行处理. 墙上时间和系 ...

随机推荐

  1. C语言那年踩过的坑--局部变量,静态变量,全局变量在内存中存放的位置

    先看几个概念: 1.bss是英文block started by symbol的简称,通常是指用来存放程序中未初始化的全局变量的一块内存区域,在程序载入时由内核清0.bss段属于静态内存分配.它的初始 ...

  2. ubuntu 16.04 下安装动态链接库方法

    一般先使用ldd 来查看该应用程序缺少什么东西,然后,再根据sudo apt install XXX 去安装相应的动态库. 假如没有对应的库,可以使用: sudo ln -s /usr/lib/lib ...

  3. Apache-Flink深度解析-TableAPI

    您可能感兴趣的文章合集: Flink入门 Flink DataSet&DataSteam API Flink集群部署 Flink重启策略 Flink分布式缓存 Flink重启策略 Flink中 ...

  4. clion调试postgresql

    clion怎么调试postgresql呢? clion使用cmake去编译项目的,但是大家编译postgresql用的是make.虽然项目中也有CMakeLists.txt文件,但是cmake会报错, ...

  5. 五种IO模型透彻分析

    1.基础 在引入IO模型前,先对io等待时某一段数据的"经历"做一番解释.如图: 当某个程序或已存在的进程/线程(后文将不加区分的只认为是进程)需要某段数据时,它只能在用户空间中属 ...

  6. ZooKeeper系列(1):安装搭建ZooKeeper环境

    ZooKeeper系列文章:https://www.cnblogs.com/f-ck-need-u/p/7576137.html#zk ZooKeeper有三种安装模式:单机安装(standalone ...

  7. Java之判断大整数是否为平方数

      在本篇博客中,我们将讨论如何使用有效的算法来判断一个大整数是否为平方数.   给定正整数\(n\),如果存在一个整数\(m\),满足\(m^{2}=n\),那么则称\(n\)为平方数.因此,判断一 ...

  8. [转]angular官网 及 Ant Design of Angular

    https://angular.io/cli https://www.angular.cn/guide/quickstart https://ng.ant.design/docs/introduce/ ...

  9. 利用谷歌网站的翻译网站,实现谷歌翻译api

    代码是之前网上找到的,地址为:http://www.crifan.com/teach_you_how_to_find_free_google_translate_api/ 原先的代码有不足,如果翻译里 ...

  10. Prism 学习:从本地目录加载 Module

    在 Prism 中,将外部模块加载到主程序有以下几种方式:Code.XAML.配置文件.指定模块目录:其中,如果要使用 Code 方式来加载 Module,则需要将该 Module 引用到当前项目中: ...