zoukankan      html  css  js  c++  java
  • Function-time()

    time()函数返回自1970年1月1日0点以来经过的秒数,每秒变化一次?

    time()函数定义在头文件<time.h>中,原型是:

    time_t time(time_t *arg);

    如果arg不是空指针,那么函数返回time_t类型的calendar time,并且把结果保存在arg指向的对象;
    如果arg == NULL,那么函数只是返回一个值,值不能存储在空指针指向的对象。

    之前不明白为什么要设计一个参数arg,直接返回一个值就好了啊?

    有大神说,这是因为:

    很久很久以前,据说time_t是个struct,那时候c语言不支持函数返回struct,所以只能用指针传进去。

    那么time_t到底是什么类型呢?

    看看cppreference.com的定义:

    The encoding of calendar time in time_t is unspecified, but most systems conform to POSIX specification and return a value of integral type holding the number of seconds since the Epoch.Implementations in which time_t is a 32-bit signed interger(many historical implementations) fail in the year 2038.

    就是说:C标准委员会并没有定义time_t的精度,也没有指定标准的Epoch,所以这取决于你的operating system以及你的compiler。

    如果你的系统支持POSIX标准(包括很多类Unix系统、Windows系统),那么time_t是一个signed int 32,最大表示范围是2147483647秒,标准Epoch是1970年1月1日0点,所以最终时间就是2038年1月19日,这就是著名的2038年问题

    那么这个函数的实现,GNU C Library是这么写的:

    #include <stddef.h>                /* For NULL.  */
    #include <time.h>
    #include <sys/time.h>
    /* Return the current time as a `time_t' and also put it in *T if T is
       not NULL.  Time is represented as seconds from Jan 1 00:00:00 1970.  */
    time_t
    time (time_t *t)
    {
      struct timeval tv;
      time_t result;
      if (__gettimeofday (&tv, (struct timezone *) NULL))
        result = (time_t) -1;
      else
        result = (time_t) tv.tv_sec;
      if (t != NULL)
        *t = result;
      return result;
    }
    libc_hidden_def (time)

    如果返回time_t类型的值,说明调用成功;
    如果返回(time_t)(-1),说明无法取得现在的时间,调用失败。

    举个栗子,获得当前时间:

    #include <stdio.h>
    #include <time.h>
    #include <stdlib.h>
    
    int main(void)
    {
        time_t current = time(NULL);
        char* string;
    
        /*把日期和时间转为字符串*/
        string = ctime(&current);
        if (current == (time_t)-1)
        {
            printf("Fail to get the current time!
    ");
        }
    
        printf("The current time is %s", string);
        printf("(%d seconds since the Epoch)
    ",current);
    }

    运行结果:
    这里写图片描述

  • 相关阅读:
    解读基础设施即代码
    在那江南烈日与阵雨中-江南100赛记
    写在2017年环汶川越野赛之前
    阿里巴巴Java开发手册评述
    一个程序员的2016年总结
    面向对象的思考过程第四版译者序
    以敏捷的方式运作一所大学
    敏捷团队中的QA由来
    Spring Batch在大型企业中的最佳实践
    Java基础 awt Button 鼠标放在按钮上背景颜色改变,鼠标离开背景颜色恢复
  • 原文地址:https://www.cnblogs.com/EIMadrigal/p/9248200.html
Copyright © 2011-2022 走看看