我想返回uint64_t
,但结果似乎被截断了:
在lib.c
:
uint64_t function()
{
uint64_t timestamp = 1422028920000;
return timestamp;
}
在main.c
:
uint64_t result = function();
printf("%llu = %llu\n", result, function());
结果:
394745024 = 394745024
编译时,我收到警告:
warning: format '%llu' expects argument of type 'long long unsigned int', but argument 2 has type 'uint64_t' [-Wformat]
warning: format '%llu' expects argument of type 'long long unsigned int', but argument 3 has type 'int' [-Wformat]
为什么编译器认为我的函数的返回类型是int
?我们如何解释打印的reslut与函数function()
发送的值不同?
答案 0 :(得分:7)
你是对的,该值被截断为32位。
通过查看十六进制中的两个值来验证最简单:
1422028920000 = 0x14B178754C0
394745024 = 0x178754C0
很明显,你得到的是最不重要的32位。
弄清楚原因:你是否正确宣布function()
原型?如果没有,编译器将使用隐式返回类型int
来解释截断(你有32位int
)。
在main.c
中,你应该有:
uint64_t function(void);
当然,如果您的lib.c
文件标题(例如lib.h
),您应该这样做:
#include "lib.h"
代替。
另外,请勿使用%llu
。使用宏PRIu64
给出的正确值,如下所示:
printf("%" PRIu64 " = %" PRIu64 "\n", result, function());
这些宏是在C99标准中添加的,位于<inttypes.h>
标题中。