1

如果用户类型time_t定义为__darwin_time_t,它本身long在 MacOS X 中定义,为什么以下代码输出8 Time is (null)?也许这很愚蠢,但我无法真正理解。

#include <stdio.h>
#include <time.h>

int main(void)
{
    time_t time = 0x7FFFFFFFFFFFFFFF;

    printf("%lu\n"
           "Time is %s\n", sizeof(time_t), ctime(&time));

    return 0;
}
4

3 回答 3

9

时间 0x7FFFFFFFFFFFFFFF 似乎在公元 292,471,210,647 年左右,这无疑会导致ctime超过 C99 所保证的 26 个字符,因此它返回 NULL 而不是溢出其缓冲区。一般来说,尽量避免在莫洛克人与埃洛伊人开战之后发生的任何日期。

于 2011-05-17T18:06:16.407 回答
2

在阅读“Expert C Programming”一书时,我在 Lion 10.7.3 中遇到了同样的问题—— with t=0xf0c00000000000ctime(&t)yieldWed Mar 1 21:07:12 214739252和 with t=0xf0d00000000000, ctime(&t)返回空指针 (0x0)。所以它似乎不是 t 的环绕,但是ctime(&t)如果 t 太大,内部的一些测试会返回空指针。

于 2012-02-27T05:05:59.187 回答
1

glibc 的实现中我们读到:

我们限制了可以打印的年份的大小。使用 %d 格式说明符,加上 1900 会溢出数字并打印负值。对于某些架构,我们理论上可以使用 %ld 或更大的整数格式,但这意味着输出需要更多空间。如果 'asctime_r' 接口被合理定义并且缓冲区大小将被传递,这将不是问题。

运行下面的程序以找到您机器上的确切限制。

#include <limits.h>
#include <stdio.h>
#include <time.h>

/**
 * Find the largest time_t for which ctime returns a non-NULL value
 * using a bsearch between 0 and LONG_MAX.
 **/
static time_t ctime_max() {
    time_t start = 0, end = LONG_MAX, mid;
    while (start < end) {
        mid = start + (end - start) / 2;
        if (ctime(&mid)) {
            /* this mid is ctime-able; try higher */
            start = mid + 1;
        } else {
            /* this mid is not ctime-able; try lower */
            end = mid;
        }
    }
    /* mid is now the lowest number that's too high; subtract one */
    return mid - 1;
}

int main() {
    time_t t = ctime_max();
    printf("%s", ctime(&t));
    return 0;
}

对我来说,Tue Dec 31 23:59:59 2147483647这恰好是一年溢出四个有符号字节之前的第二个。

于 2014-12-03T15:10:55.460 回答